From 6f8da74935368091580733334efdfaf5ede42a99 Mon Sep 17 00:00:00 2001 From: tg-msft Date: Fri, 30 Apr 2021 10:56:08 -0700 Subject: [PATCH 01/37] Use sample snippets for WPS (#20780) --- .../Azure.Messaging.WebPubSub/README.md | 33 +++++++------ .../Samples/WebPubSubSamples.HelloWorld.cs | 48 ++++++++++++------- 2 files changed, 48 insertions(+), 33 deletions(-) diff --git a/sdk/webpubsub/Azure.Messaging.WebPubSub/README.md b/sdk/webpubsub/Azure.Messaging.WebPubSub/README.md index 65782951dc41..0aa2a29a1b35 100644 --- a/sdk/webpubsub/Azure.Messaging.WebPubSub/README.md +++ b/sdk/webpubsub/Azure.Messaging.WebPubSub/README.md @@ -39,8 +39,8 @@ In order to interact with the service, you'll need to create an instance of the ### Create a `WebPubSubServiceClient` -```csharp -var serviceClient = new WebPubSubServiceClient(new Uri(""), "", new AzureKeyCredential("")); +```C# Snippet:WebPubSubAuthenticate +var serviceClient = new WebPubSubServiceClient(new Uri(endpoint), "some_hub", new AzureKeyCredential(key)); ``` ## Key concepts @@ -69,18 +69,21 @@ Using this library, you can send messages to the client connections. A message c ### Broadcast a text message to all clients -```csharp -var serviceClient = new WebPubSubServiceClient(new Uri(""), "", new AzureKeyCredential("")); -await serviceClient.SendToAll("Hello world!"); +```C# Snippet:WebPubSubHelloWorld +var serviceClient = new WebPubSubServiceClient(new Uri(endpoint), "some_hub", new AzureKeyCredential(key)); + +serviceClient.SendToAll("Hello World!"); ``` ### Broadcast a JSON message to all clients -```csharp -var serviceClient = new WebPubSubServiceClient(new Uri(""), "", new AzureKeyCredential("")); -await serviceClient.SendToAll( +```C# Snippet:WebPubSubSendJson +var serviceClient = new WebPubSubServiceClient(new Uri(endpoint), "some_hub", new AzureKeyCredential(key)); + +serviceClient.SendToAll( RequestContent.Create( - new { + new + { Foo = "Hello World!", Bar = 42 })); @@ -88,13 +91,13 @@ await serviceClient.SendToAll( ### Broadcast a binary message to all clients -```csharp -var serviceClient = new WebPubSubServiceClient(new Uri(""), "", new AzureKeyCredential("")); +```C# Snippet:WebPubSubSendBinary +var serviceClient = new WebPubSubServiceClient(new Uri(endpoint), "some_hub", new AzureKeyCredential(key)); -client.SendToAll( - RequestContent.Create(new byte[] {0x1, 0x2, 0x3}), - HttpHeader.Common.OctetStreamContentType.Value -); +Stream stream = BinaryData.FromString("Hello World!").ToStream(); +serviceClient.SendToAll( + RequestContent.Create(stream), + HttpHeader.Common.OctetStreamContentType.Value); ``` ## Troubleshooting diff --git a/sdk/webpubsub/Azure.Messaging.WebPubSub/tests/Samples/WebPubSubSamples.HelloWorld.cs b/sdk/webpubsub/Azure.Messaging.WebPubSub/tests/Samples/WebPubSubSamples.HelloWorld.cs index e4dd5da1f19c..958a5098d03f 100644 --- a/sdk/webpubsub/Azure.Messaging.WebPubSub/tests/Samples/WebPubSubSamples.HelloWorld.cs +++ b/sdk/webpubsub/Azure.Messaging.WebPubSub/tests/Samples/WebPubSubSamples.HelloWorld.cs @@ -20,9 +20,19 @@ public void HelloWorld() var key = TestEnvironment.Key; #region Snippet:WebPubSubHelloWorld - var client = new WebPubSubServiceClient(new Uri(endpoint), "some_hub", new AzureKeyCredential(key)); + var serviceClient = new WebPubSubServiceClient(new Uri(endpoint), "some_hub", new AzureKeyCredential(key)); + + serviceClient.SendToAll("Hello World!"); + #endregion + } + + public void Authenticate() + { + var endpoint = TestEnvironment.Endpoint; + var key = TestEnvironment.Key; - client.SendToAll("Hello World!"); + #region Snippet:WebPubSubAuthenticate + var serviceClient = new WebPubSubServiceClient(new Uri(endpoint), "some_hub", new AzureKeyCredential(key)); #endregion } @@ -30,10 +40,10 @@ public void HelloWorldWithConnectionString() { var connectionString = TestEnvironment.ConnectionString; - #region Snippet:WebPubSubHelloWorld - var client = new WebPubSubServiceClient(connectionString, "some_hub"); + #region Snippet:WebPubSubHelloWorldConnStr + var serviceClient = new WebPubSubServiceClient(connectionString, "some_hub"); - client.SendToAll("Hello World!"); + serviceClient.SendToAll("Hello World!"); #endregion } @@ -43,14 +53,15 @@ public void JsonMessage() var key = TestEnvironment.Key; #region Snippet:WebPubSubSendJson - var client = new WebPubSubServiceClient(new Uri(endpoint), "some_hub", new AzureKeyCredential(key)); - - client.SendToAll(RequestContent.Create( - new { - Foo = "Hello World!", - Bar = "Hi!" - } - )); + var serviceClient = new WebPubSubServiceClient(new Uri(endpoint), "some_hub", new AzureKeyCredential(key)); + + serviceClient.SendToAll( + RequestContent.Create( + new + { + Foo = "Hello World!", + Bar = 42 + })); #endregion } @@ -59,12 +70,13 @@ public void BinaryMessage() var endpoint = TestEnvironment.Endpoint; var key = TestEnvironment.Key; - #region Snippet:WebPubSubSendJson - var client = new WebPubSubServiceClient(new Uri(endpoint), "some_hub", new AzureKeyCredential(key)); + #region Snippet:WebPubSubSendBinary + var serviceClient = new WebPubSubServiceClient(new Uri(endpoint), "some_hub", new AzureKeyCredential(key)); Stream stream = BinaryData.FromString("Hello World!").ToStream(); - - client.SendToAll(RequestContent.Create(stream), HttpHeader.Common.OctetStreamContentType.Value); + serviceClient.SendToAll( + RequestContent.Create(stream), + HttpHeader.Common.OctetStreamContentType.Value); #endregion } @@ -73,7 +85,7 @@ public void AddUserToGroup() var endpoint = TestEnvironment.Endpoint; var key = TestEnvironment.Key; - #region Snippet:WebPubSubSendJson + #region Snippet:WebPubAddUserToGroup var client = new WebPubSubServiceClient(new Uri(endpoint), "some_hub", new AzureKeyCredential(key)); client.AddUserToGroup("some_group", "some_user"); From e2cc675bf0ef5ca5008789c1e6fd2c73562a34f7 Mon Sep 17 00:00:00 2001 From: Jesse Squire Date: Fri, 30 Apr 2021 13:56:43 -0400 Subject: [PATCH 02/37] [Service Bus Client] README Link Fix (#20776) The focus of these changes is to fix the "Source code" link in the README to reference the correct location. --- sdk/servicebus/Microsoft.Azure.ServiceBus/README.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/sdk/servicebus/Microsoft.Azure.ServiceBus/README.md b/sdk/servicebus/Microsoft.Azure.ServiceBus/README.md index 0e398c18b757..efa549f63ebd 100755 --- a/sdk/servicebus/Microsoft.Azure.ServiceBus/README.md +++ b/sdk/servicebus/Microsoft.Azure.ServiceBus/README.md @@ -16,7 +16,7 @@ Use the client library for Azure Service Bus to: - Implement complex workflows: message sessions support scenarios that require message ordering or message deferral. -[Source code](https://github.com/Azure/azure-sdk-for-net/tree/master/sdk/servicebus) | [Package (NuGet)](https://www.nuget.org/packages/Microsoft.Azure.ServiceBus/) | [API reference documentation](https://docs.microsoft.com/dotnet/api/overview/azure/service-bus?view=azure-dotnet) | [Product documentation](https://docs.microsoft.com/azure/service-bus-messaging/) +[Source code](https://github.com/Azure/azure-sdk-for-net/tree/master/sdk/servicebus/Microsoft.Azure.ServiceBus/src) | [Package (NuGet)](https://www.nuget.org/packages/Microsoft.Azure.ServiceBus/) | [API reference documentation](https://docs.microsoft.com/dotnet/api/overview/azure/service-bus?view=azure-dotnet) | [Product documentation](https://docs.microsoft.com/azure/service-bus-messaging/) ## Getting started From f5bb3b9f299c1bc677ed8c02185d32ca21b29a06 Mon Sep 17 00:00:00 2001 From: Anne Thompson Date: Fri, 30 Apr 2021 10:59:49 -0700 Subject: [PATCH 03/37] uncomment nuget and docs links (#20782) --- .../Azure.Containers.ContainerRegistry/README.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/sdk/containerregistry/Azure.Containers.ContainerRegistry/README.md b/sdk/containerregistry/Azure.Containers.ContainerRegistry/README.md index 9cf94caa783e..2e8874a758fc 100644 --- a/sdk/containerregistry/Azure.Containers.ContainerRegistry/README.md +++ b/sdk/containerregistry/Azure.Containers.ContainerRegistry/README.md @@ -9,7 +9,7 @@ Use the client library for Azure Container Registry to: - Set read/write/delete properties on registry items - Delete images and artifacts, repositories and tags -[Source code][source] | [Package (NuGet)] | [API reference documentation] | [REST API documentation][rest_docs] | [Product documentation][product_docs] +[Source code][source] | [Package (NuGet)][package] | [API reference documentation][docs] | [REST API documentation][rest_docs] | [Product documentation][product_docs] ## Getting started From 5ac2fa9bcf7798647049530ff8633a98643cb30b Mon Sep 17 00:00:00 2001 From: Mohit Chakraborty <8271806+Mohit-Chakraborty@users.noreply.github.com> Date: Fri, 30 Apr 2021 13:15:54 -0700 Subject: [PATCH 04/37] Allow null value for PatternTokenizer["flags"] (#20789) When there are no Flags set, we should pass null to the service --- .../src/Indexes/Models/PatternTokenizer.cs | 4 ++-- .../tests/Models/PatternTokenizerTests.cs | 8 +++++++- 2 files changed, 9 insertions(+), 3 deletions(-) diff --git a/sdk/search/Azure.Search.Documents/src/Indexes/Models/PatternTokenizer.cs b/sdk/search/Azure.Search.Documents/src/Indexes/Models/PatternTokenizer.cs index 16a629334fa5..7af3fb1052cd 100644 --- a/sdk/search/Azure.Search.Documents/src/Indexes/Models/PatternTokenizer.cs +++ b/sdk/search/Azure.Search.Documents/src/Indexes/Models/PatternTokenizer.cs @@ -9,9 +9,9 @@ namespace Azure.Search.Documents.Indexes.Models public partial class PatternTokenizer { [CodeGenMember("flags")] - private string FlagsInternal + internal string FlagsInternal { - get => string.Join("|", Flags); + get => Flags.Count > 0 ? string.Join("|", Flags) : null; set { Flags.Clear(); diff --git a/sdk/search/Azure.Search.Documents/tests/Models/PatternTokenizerTests.cs b/sdk/search/Azure.Search.Documents/tests/Models/PatternTokenizerTests.cs index af7f723610a0..5c29e53e8107 100644 --- a/sdk/search/Azure.Search.Documents/tests/Models/PatternTokenizerTests.cs +++ b/sdk/search/Azure.Search.Documents/tests/Models/PatternTokenizerTests.cs @@ -24,7 +24,13 @@ public void RoundtripsRegexFlags(PatternTokenizer expected) using JsonDocument doc = JsonDocument.Parse(stream.ToArray()); PatternTokenizer actual = LexicalTokenizer.DeserializeLexicalTokenizer(doc.RootElement) as PatternTokenizer; - CollectionAssert.AreEqual(expected.Flags, actual?.Flags); + CollectionAssert.AreEqual(expected.Flags, actual.Flags); + + if (expected.Flags.Count == 0) + { + Assert.IsNull(actual.FlagsInternal); + Assert.IsNull(expected.FlagsInternal); + } } private static IEnumerable RoundtripsRegexFlagsData From cb60f4972d54c3efcae9d4de88b9d66b3f0daa36 Mon Sep 17 00:00:00 2001 From: Mariana Rios Flores Date: Fri, 30 Apr 2021 13:47:41 -0700 Subject: [PATCH 05/37] separate endpoints into test classes and apply api-version to class (#20757) --- .../FormRecognizerClientLiveTests.cs | 3050 ----------------- .../RecognizeBusinessCardsLiveTests.cs | 505 +++ .../RecognizeContentLiveTests.cs | 542 +++ .../RecognizeCustomFormsLiveTests.cs | 751 ++++ .../RecognizeIdDocumentsLiveTests.cs | 193 ++ .../RecognizeInvoicesLiveTests.cs | 452 +++ .../RecognizeReceiptsLiveTests.cs | 552 +++ .../FormRecognizerLiveTestBase.cs | 180 + ...rdsCanAuthenticateWithTokenCredential.json | 0 ...nAuthenticateWithTokenCredentialAsync.json | 0 ...cognizeBusinessCardsCanParseBlankPage.json | 0 ...zeBusinessCardsCanParseBlankPageAsync.json | 0 ...nessCardsCanParseMultipageForm(False).json | 0 ...ardsCanParseMultipageForm(False)Async.json | 0 ...inessCardsCanParseMultipageForm(True).json | 0 ...CardsCanParseMultipageForm(True)Async.json | 0 ...rdsFromUriThrowsForNonExistingContent.json | 0 ...omUriThrowsForNonExistingContentAsync.json | 0 ...nizeBusinessCardsIncludeFieldElements.json | 0 ...usinessCardsIncludeFieldElementsAsync.json | 0 ...nessCardsPopulatesExtractedJpg(False).json | 0 ...ardsPopulatesExtractedJpg(False)Async.json | 0 ...inessCardsPopulatesExtractedJpg(True).json | 0 ...CardsPopulatesExtractedJpg(True)Async.json | 0 ...nessCardsPopulatesExtractedPng(False).json | 0 ...ardsPopulatesExtractedPng(False)Async.json | 0 ...inessCardsPopulatesExtractedPng(True).json | 0 ...CardsPopulatesExtractedPng(True)Async.json | 0 ...nizeBusinessCardsThrowsForDamagedFile.json | 0 ...usinessCardsThrowsForDamagedFileAsync.json | 0 ...dsWithMultiplePageArgument(%1%,%3%,2).json | 0 ...hMultiplePageArgument(%1%,%3%,2)Async.json | 0 ...WithMultiplePageArgument(%1-2%,%3%,3).json | 0 ...ultiplePageArgument(%1-2%,%3%,3)Async.json | 0 ...sinessCardsWithOnePageArgument(%1%,1).json | 0 ...sCardsWithOnePageArgument(%1%,1)Async.json | 0 ...nessCardsWithOnePageArgument(%1-2%,2).json | 0 ...ardsWithOnePageArgument(%1-2%,2)Async.json | 0 ...gnizeBusinessCardsWithSupportedLocale.json | 0 ...BusinessCardsWithSupportedLocaleAsync.json | 0 ...RecognizeBusinessCardsWithWrongLocale.json | 0 ...nizeBusinessCardsWithWrongLocaleAsync.json | 0 ...entCanAuthenticateWithTokenCredential.json | 0 ...nAuthenticateWithTokenCredentialAsync.json | 0 ...tartRecognizeContentCanParseBlankPage.json | 0 ...ecognizeContentCanParseBlankPageAsync.json | 0 ...zeContentCanParseMultipageForm(False).json | 0 ...tentCanParseMultipageForm(False)Async.json | 0 ...izeContentCanParseMultipageForm(True).json | 0 ...ntentCanParseMultipageForm(True)Async.json | 0 ...entCanParseMultipageFormWithBlankPage.json | 0 ...nParseMultipageFormWithBlankPageAsync.json | 0 ...entFromUriThrowsForNonExistingContent.json | 0 ...omUriThrowsForNonExistingContentAsync.json | 0 ...izeContentPopulatesFormPageJpg(False).json | 0 ...ntentPopulatesFormPageJpg(False)Async.json | 0 ...nizeContentPopulatesFormPageJpg(True).json | 0 ...ontentPopulatesFormPageJpg(True)Async.json | 0 ...izeContentPopulatesFormPagePdf(False).json | 0 ...ntentPopulatesFormPagePdf(False)Async.json | 0 ...nizeContentPopulatesFormPagePdf(True).json | 0 ...ontentPopulatesFormPagePdf(True)Async.json | 0 ...tRecognizeContentThrowsForDamagedFile.json | 0 ...gnizeContentThrowsForDamagedFileAsync.json | 0 .../StartRecognizeContentWithLanguage.json | 0 ...tartRecognizeContentWithLanguageAsync.json | 0 ...ntWithMultiplePageArgument(%1%,%3%,2).json | 0 ...hMultiplePageArgument(%1%,%3%,2)Async.json | 0 ...WithMultiplePageArgument(%1-2%,%3%,3).json | 0 ...ultiplePageArgument(%1-2%,%3%,3)Async.json | 0 ...ognizeContentWithNoSupporttedLanguage.json | 0 ...eContentWithNoSupporttedLanguageAsync.json | 0 ...nizeContentWithOnePageArgument(%1%,1).json | 0 ...ontentWithOnePageArgument(%1%,1)Async.json | 0 ...zeContentWithOnePageArgument(%1-2%,2).json | 0 ...tentWithOnePageArgument(%1-2%,2)Async.json | 0 ...StartRecognizeContentWithReadingOrder.json | 0 ...RecognizeContentWithReadingOrderAsync.json | 0 ...gnizeContentWithSelectionMarks(False).json | 0 ...ContentWithSelectionMarks(False)Async.json | 0 ...ognizeContentWithSelectionMarks(True).json | 0 ...eContentWithSelectionMarks(True)Async.json | 0 ...uthenticateWithTokenCredential(False).json | 0 ...ticateWithTokenCredential(False)Async.json | 0 ...AuthenticateWithTokenCredential(True).json | 0 ...nticateWithTokenCredential(True)Async.json | 0 ...UriThrowsForNonExistingContent(False).json | 0 ...rowsForNonExistingContent(False)Async.json | 0 ...mUriThrowsForNonExistingContent(True).json | 0 ...hrowsForNonExistingContent(True)Async.json | 0 ...ustomFormsThrowsForDamagedFile(False).json | 0 ...FormsThrowsForDamagedFile(False)Async.json | 0 ...CustomFormsThrowsForDamagedFile(True).json | 0 ...mFormsThrowsForDamagedFile(True)Async.json | 0 ...izeCustomFormsWithLabels(False,False).json | 0 ...stomFormsWithLabels(False,False)Async.json | 0 ...nizeCustomFormsWithLabels(False,True).json | 0 ...ustomFormsWithLabels(False,True)Async.json | 0 ...nizeCustomFormsWithLabels(True,False).json | 0 ...ustomFormsWithLabels(True,False)Async.json | 0 ...gnizeCustomFormsWithLabels(True,True).json | 0 ...CustomFormsWithLabels(True,True)Async.json | 0 ...rmsWithLabelsAndSelectionMarks(False).json | 0 ...thLabelsAndSelectionMarks(False)Async.json | 0 ...ormsWithLabelsAndSelectionMarks(True).json | 0 ...ithLabelsAndSelectionMarks(True)Async.json | 0 ...ustomFormsWithLabelsCanParseBlankPage.json | 0 ...FormsWithLabelsCanParseBlankPageAsync.json | 0 ...WithLabelsCanParseDifferentTypeOfForm.json | 0 ...abelsCanParseDifferentTypeOfFormAsync.json | 0 ...ithLabelsCanParseMultipageForm(False).json | 0 ...belsCanParseMultipageForm(False)Async.json | 0 ...WithLabelsCanParseMultipageForm(True).json | 0 ...abelsCanParseMultipageForm(True)Async.json | 0 ...arseMultipageFormWithBlankPage(False).json | 0 ...ultipageFormWithBlankPage(False)Async.json | 0 ...ParseMultipageFormWithBlankPage(True).json | 0 ...MultipageFormWithBlankPage(True)Async.json | 0 ...msWithMultiplePageArgument(%1%,%3%,2).json | 0 ...hMultiplePageArgument(%1%,%3%,2)Async.json | 0 ...WithMultiplePageArgument(%1-2%,%3%,3).json | 0 ...ultiplePageArgument(%1-2%,%3%,3)Async.json | 0 ...CustomFormsWithOnePageArgument(%1%,1).json | 0 ...mFormsWithOnePageArgument(%1%,1)Async.json | 0 ...stomFormsWithOnePageArgument(%1-2%,2).json | 0 ...ormsWithOnePageArgument(%1-2%,2)Async.json | 0 ...ecognizeCustomFormsWithTableFixedRows.json | 0 ...izeCustomFormsWithTableFixedRowsAsync.json | 0 ...gnizeCustomFormsWithTableVariableRows.json | 0 ...CustomFormsWithTableVariableRowsAsync.json | 0 ...CustomFormsWithoutLabels(False,False).json | 0 ...mFormsWithoutLabels(False,False)Async.json | 0 ...eCustomFormsWithoutLabels(False,True).json | 0 ...omFormsWithoutLabels(False,True)Async.json | 0 ...eCustomFormsWithoutLabels(True,False).json | 0 ...omFormsWithoutLabels(True,False)Async.json | 0 ...zeCustomFormsWithoutLabels(True,True).json | 0 ...tomFormsWithoutLabels(True,True)Async.json | 0 ...omFormsWithoutLabelsCanParseBlankPage.json | 0 ...msWithoutLabelsCanParseBlankPageAsync.json | 0 ...houtLabelsCanParseMultipageForm(True).json | 0 ...abelsCanParseMultipageForm(True)Async.json | 0 ...ParseMultipageFormWithBlankPage(True).json | 0 ...MultipageFormWithBlankPage(True)Async.json | 0 ...ntsCanAuthenticateWithTokenCredential.json | 0 ...nAuthenticateWithTokenCredentialAsync.json | 0 ...RecognizeIdDocumentsCanParseBlankPage.json | 0 ...nizeIdDocumentsCanParseBlankPageAsync.json | 0 ...ntsFromUriThrowsForNonExistingContent.json | 0 ...omUriThrowsForNonExistingContentAsync.json | 0 ...ognizeIdDocumentsIncludeFieldElements.json | 0 ...eIdDocumentsIncludeFieldElementsAsync.json | 0 ...opulatesExtractedIdDocumentJpg(False).json | 0 ...tesExtractedIdDocumentJpg(False)Async.json | 0 ...PopulatesExtractedIdDocumentJpg(True).json | 0 ...atesExtractedIdDocumentJpg(True)Async.json | 0 ...ognizeIdDocumentsThrowsForDamagedFile.json | 0 ...eIdDocumentsThrowsForDamagedFileAsync.json | 0 ...cesCanAuthenticateWithTokenCredential.json | 0 ...nAuthenticateWithTokenCredentialAsync.json | 0 ...artRecognizeInvoicesCanParseBlankPage.json | 0 ...cognizeInvoicesCanParseBlankPageAsync.json | 0 ...eInvoicesCanParseMultipageForm(False).json | 0 ...icesCanParseMultipageForm(False)Async.json | 0 ...zeInvoicesCanParseMultipageForm(True).json | 0 ...oicesCanParseMultipageForm(True)Async.json | 0 ...cesFromUriThrowsForNonExistingContent.json | 0 ...omUriThrowsForNonExistingContentAsync.json | 0 ...RecognizeInvoicesIncludeFieldElements.json | 0 ...nizeInvoicesIncludeFieldElementsAsync.json | 0 ...eInvoicesPopulatesExtractedJpg(False).json | 0 ...icesPopulatesExtractedJpg(False)Async.json | 0 ...zeInvoicesPopulatesExtractedJpg(True).json | 0 ...oicesPopulatesExtractedJpg(True)Async.json | 0 ...RecognizeInvoicesThrowsForDamagedFile.json | 0 ...nizeInvoicesThrowsForDamagedFileAsync.json | 0 ...esWithMultiplePageArgument(%1%,%3%,2).json | 0 ...hMultiplePageArgument(%1%,%3%,2)Async.json | 0 ...WithMultiplePageArgument(%1-2%,%3%,3).json | 0 ...ultiplePageArgument(%1-2%,%3%,3)Async.json | 0 ...izeInvoicesWithOnePageArgument(%1%,1).json | 0 ...voicesWithOnePageArgument(%1%,1)Async.json | 0 ...eInvoicesWithOnePageArgument(%1-2%,2).json | 0 ...icesWithOnePageArgument(%1-2%,2)Async.json | 0 ...tRecognizeInvoicesWithSupportedLocale.json | 0 ...gnizeInvoicesWithSupportedLocaleAsync.json | 0 ...StartRecognizeInvoicesWithWrongLocale.json | 0 ...RecognizeInvoicesWithWrongLocaleAsync.json | 0 ...ptsCanAuthenticateWithTokenCredential.json | 0 ...nAuthenticateWithTokenCredentialAsync.json | 0 ...artRecognizeReceiptsCanParseBlankPage.json | 0 ...cognizeReceiptsCanParseBlankPageAsync.json | 0 ...eReceiptsCanParseMultipageForm(False).json | 0 ...iptsCanParseMultipageForm(False)Async.json | 0 ...zeReceiptsCanParseMultipageForm(True).json | 0 ...eiptsCanParseMultipageForm(True)Async.json | 0 ...ptsCanParseMultipageFormWithBlankPage.json | 0 ...nParseMultipageFormWithBlankPageAsync.json | 0 ...ptsFromUriThrowsForNonExistingContent.json | 0 ...omUriThrowsForNonExistingContentAsync.json | 0 ...tsPopulatesExtractedReceiptJpg(False).json | 0 ...ulatesExtractedReceiptJpg(False)Async.json | 0 ...ptsPopulatesExtractedReceiptJpg(True).json | 0 ...pulatesExtractedReceiptJpg(True)Async.json | 0 ...tsPopulatesExtractedReceiptPng(False).json | 0 ...ulatesExtractedReceiptPng(False)Async.json | 0 ...ptsPopulatesExtractedReceiptPng(True).json | 0 ...pulatesExtractedReceiptPng(True)Async.json | 0 ...RecognizeReceiptsThrowsForDamagedFile.json | 0 ...nizeReceiptsThrowsForDamagedFileAsync.json | 0 ...tsWithMultiplePageArgument(%1%,%3%,2).json | 0 ...hMultiplePageArgument(%1%,%3%,2)Async.json | 0 ...WithMultiplePageArgument(%1-2%,%3%,3).json | 0 ...ultiplePageArgument(%1-2%,%3%,3)Async.json | 0 ...izeReceiptsWithOnePageArgument(%1%,1).json | 0 ...ceiptsWithOnePageArgument(%1%,1)Async.json | 0 ...eReceiptsWithOnePageArgument(%1-2%,2).json | 0 ...iptsWithOnePageArgument(%1-2%,2)Async.json | 0 ...tRecognizeReceiptsWithSupportedLocale.json | 0 ...gnizeReceiptsWithSupportedLocaleAsync.json | 0 ...StartRecognizeReceiptsWithWrongLocale.json | 0 ...RecognizeReceiptsWithWrongLocaleAsync.json | 0 222 files changed, 3175 insertions(+), 3050 deletions(-) create mode 100644 sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeBusinessCardsLiveTests.cs create mode 100644 sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeContentLiveTests.cs create mode 100644 sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeCustomFormsLiveTests.cs create mode 100644 sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeIdDocumentsLiveTests.cs create mode 100644 sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeInvoicesLiveTests.cs create mode 100644 sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeReceiptsLiveTests.cs rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsCanAuthenticateWithTokenCredential.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsCanAuthenticateWithTokenCredentialAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsCanParseBlankPage.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsCanParseBlankPageAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsCanParseMultipageForm(False).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsCanParseMultipageForm(False)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsCanParseMultipageForm(True).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsCanParseMultipageForm(True)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsFromUriThrowsForNonExistingContent.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsFromUriThrowsForNonExistingContentAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsIncludeFieldElements.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsIncludeFieldElementsAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsPopulatesExtractedJpg(False).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsPopulatesExtractedJpg(False)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsPopulatesExtractedJpg(True).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsPopulatesExtractedJpg(True)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsPopulatesExtractedPng(False).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsPopulatesExtractedPng(False)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsPopulatesExtractedPng(True).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsPopulatesExtractedPng(True)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsThrowsForDamagedFile.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsThrowsForDamagedFileAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsWithMultiplePageArgument(%1%,%3%,2).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsWithMultiplePageArgument(%1%,%3%,2)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsWithMultiplePageArgument(%1-2%,%3%,3).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsWithMultiplePageArgument(%1-2%,%3%,3)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsWithOnePageArgument(%1%,1).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsWithOnePageArgument(%1%,1)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsWithOnePageArgument(%1-2%,2).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsWithOnePageArgument(%1-2%,2)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsWithSupportedLocale.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsWithSupportedLocaleAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsWithWrongLocale.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeBusinessCardsLiveTests}/StartRecognizeBusinessCardsWithWrongLocaleAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentCanAuthenticateWithTokenCredential.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentCanAuthenticateWithTokenCredentialAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentCanParseBlankPage.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentCanParseBlankPageAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentCanParseMultipageForm(False).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentCanParseMultipageForm(False)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentCanParseMultipageForm(True).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentCanParseMultipageForm(True)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentCanParseMultipageFormWithBlankPage.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentCanParseMultipageFormWithBlankPageAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentFromUriThrowsForNonExistingContent.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentFromUriThrowsForNonExistingContentAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentPopulatesFormPageJpg(False).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentPopulatesFormPageJpg(False)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentPopulatesFormPageJpg(True).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentPopulatesFormPageJpg(True)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentPopulatesFormPagePdf(False).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentPopulatesFormPagePdf(False)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentPopulatesFormPagePdf(True).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentPopulatesFormPagePdf(True)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentThrowsForDamagedFile.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentThrowsForDamagedFileAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentWithLanguage.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentWithLanguageAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentWithMultiplePageArgument(%1%,%3%,2).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentWithMultiplePageArgument(%1%,%3%,2)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentWithMultiplePageArgument(%1-2%,%3%,3).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentWithMultiplePageArgument(%1-2%,%3%,3)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentWithNoSupporttedLanguage.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentWithNoSupporttedLanguageAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentWithOnePageArgument(%1%,1).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentWithOnePageArgument(%1%,1)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentWithOnePageArgument(%1-2%,2).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentWithOnePageArgument(%1-2%,2)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentWithReadingOrder.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentWithReadingOrderAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentWithSelectionMarks(False).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentWithSelectionMarks(False)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentWithSelectionMarks(True).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeContentLiveTests}/StartRecognizeContentWithSelectionMarks(True)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsCanAuthenticateWithTokenCredential(False).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsCanAuthenticateWithTokenCredential(False)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsCanAuthenticateWithTokenCredential(True).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsCanAuthenticateWithTokenCredential(True)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsFromUriThrowsForNonExistingContent(False).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsFromUriThrowsForNonExistingContent(False)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsFromUriThrowsForNonExistingContent(True).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsFromUriThrowsForNonExistingContent(True)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsThrowsForDamagedFile(False).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsThrowsForDamagedFile(False)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsThrowsForDamagedFile(True).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsThrowsForDamagedFile(True)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithLabels(False,False).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithLabels(False,False)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithLabels(False,True).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithLabels(False,True)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithLabels(True,False).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithLabels(True,False)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithLabels(True,True).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithLabels(True,True)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithLabelsAndSelectionMarks(False).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithLabelsAndSelectionMarks(False)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithLabelsAndSelectionMarks(True).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithLabelsAndSelectionMarks(True)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithLabelsCanParseBlankPage.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithLabelsCanParseBlankPageAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithLabelsCanParseDifferentTypeOfForm.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithLabelsCanParseDifferentTypeOfFormAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithLabelsCanParseMultipageForm(False).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithLabelsCanParseMultipageForm(False)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithLabelsCanParseMultipageForm(True).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithLabelsCanParseMultipageForm(True)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithLabelsCanParseMultipageFormWithBlankPage(False).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithLabelsCanParseMultipageFormWithBlankPage(False)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithLabelsCanParseMultipageFormWithBlankPage(True).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithLabelsCanParseMultipageFormWithBlankPage(True)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithMultiplePageArgument(%1%,%3%,2).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithMultiplePageArgument(%1%,%3%,2)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithMultiplePageArgument(%1-2%,%3%,3).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithMultiplePageArgument(%1-2%,%3%,3)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithOnePageArgument(%1%,1).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithOnePageArgument(%1%,1)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithOnePageArgument(%1-2%,2).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithOnePageArgument(%1-2%,2)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithTableFixedRows.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithTableFixedRowsAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithTableVariableRows.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithTableVariableRowsAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithoutLabels(False,False).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithoutLabels(False,False)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithoutLabels(False,True).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithoutLabels(False,True)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithoutLabels(True,False).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithoutLabels(True,False)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithoutLabels(True,True).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithoutLabels(True,True)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithoutLabelsCanParseBlankPage.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithoutLabelsCanParseBlankPageAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithoutLabelsCanParseMultipageForm(True).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithoutLabelsCanParseMultipageForm(True)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithoutLabelsCanParseMultipageFormWithBlankPage(True).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeCustomFormsLiveTests}/StartRecognizeCustomFormsWithoutLabelsCanParseMultipageFormWithBlankPage(True)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeIdDocumentsLiveTests}/StartRecognizeIdDocumentsCanAuthenticateWithTokenCredential.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeIdDocumentsLiveTests}/StartRecognizeIdDocumentsCanAuthenticateWithTokenCredentialAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeIdDocumentsLiveTests}/StartRecognizeIdDocumentsCanParseBlankPage.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeIdDocumentsLiveTests}/StartRecognizeIdDocumentsCanParseBlankPageAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeIdDocumentsLiveTests}/StartRecognizeIdDocumentsFromUriThrowsForNonExistingContent.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeIdDocumentsLiveTests}/StartRecognizeIdDocumentsFromUriThrowsForNonExistingContentAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeIdDocumentsLiveTests}/StartRecognizeIdDocumentsIncludeFieldElements.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeIdDocumentsLiveTests}/StartRecognizeIdDocumentsIncludeFieldElementsAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeIdDocumentsLiveTests}/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(False).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeIdDocumentsLiveTests}/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(False)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeIdDocumentsLiveTests}/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(True).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeIdDocumentsLiveTests}/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(True)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeIdDocumentsLiveTests}/StartRecognizeIdDocumentsThrowsForDamagedFile.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeIdDocumentsLiveTests}/StartRecognizeIdDocumentsThrowsForDamagedFileAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesCanAuthenticateWithTokenCredential.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesCanAuthenticateWithTokenCredentialAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesCanParseBlankPage.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesCanParseBlankPageAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesCanParseMultipageForm(False).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesCanParseMultipageForm(False)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesCanParseMultipageForm(True).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesCanParseMultipageForm(True)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesFromUriThrowsForNonExistingContent.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesFromUriThrowsForNonExistingContentAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesIncludeFieldElements.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesIncludeFieldElementsAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesPopulatesExtractedJpg(False).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesPopulatesExtractedJpg(False)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesPopulatesExtractedJpg(True).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesPopulatesExtractedJpg(True)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesThrowsForDamagedFile.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesThrowsForDamagedFileAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesWithMultiplePageArgument(%1%,%3%,2).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesWithMultiplePageArgument(%1%,%3%,2)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesWithMultiplePageArgument(%1-2%,%3%,3).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesWithMultiplePageArgument(%1-2%,%3%,3)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesWithOnePageArgument(%1%,1).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesWithOnePageArgument(%1%,1)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesWithOnePageArgument(%1-2%,2).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesWithOnePageArgument(%1-2%,2)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesWithSupportedLocale.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesWithSupportedLocaleAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesWithWrongLocale.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeInvoicesLiveTests}/StartRecognizeInvoicesWithWrongLocaleAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsCanAuthenticateWithTokenCredential.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsCanAuthenticateWithTokenCredentialAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsCanParseBlankPage.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsCanParseBlankPageAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsCanParseMultipageForm(False).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsCanParseMultipageForm(False)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsCanParseMultipageForm(True).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsCanParseMultipageForm(True)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsCanParseMultipageFormWithBlankPage.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsCanParseMultipageFormWithBlankPageAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsFromUriThrowsForNonExistingContent.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsFromUriThrowsForNonExistingContentAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsPopulatesExtractedReceiptJpg(False).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsPopulatesExtractedReceiptJpg(False)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsPopulatesExtractedReceiptJpg(True).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsPopulatesExtractedReceiptJpg(True)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsPopulatesExtractedReceiptPng(False).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsPopulatesExtractedReceiptPng(False)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsPopulatesExtractedReceiptPng(True).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsPopulatesExtractedReceiptPng(True)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsThrowsForDamagedFile.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsThrowsForDamagedFileAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsWithMultiplePageArgument(%1%,%3%,2).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsWithMultiplePageArgument(%1%,%3%,2)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsWithMultiplePageArgument(%1-2%,%3%,3).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsWithMultiplePageArgument(%1-2%,%3%,3)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsWithOnePageArgument(%1%,1).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsWithOnePageArgument(%1%,1)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsWithOnePageArgument(%1-2%,2).json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsWithOnePageArgument(%1-2%,2)Async.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsWithSupportedLocale.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsWithSupportedLocaleAsync.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsWithWrongLocale.json (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{FormRecognizerClientLiveTests => RecognizeReceiptsLiveTests}/StartRecognizeReceiptsWithWrongLocaleAsync.json (100%) diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/FormRecognizerClientLiveTests.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/FormRecognizerClientLiveTests.cs index 5e534c44251d..eeb3544b7642 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/FormRecognizerClientLiveTests.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/FormRecognizerClientLiveTests.cs @@ -42,3055 +42,5 @@ public void FormRecognizerClientCannotAuthenticateWithFakeApiKey() Assert.ThrowsAsync(async () => await client.StartRecognizeContentAsync(stream)); } } - - #region StartRecognizeContent - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeContentCanAuthenticateWithTokenCredential() - { - var client = CreateFormRecognizerClient(useTokenCredential: true); - RecognizeContentOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.ReceiptJpg); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeContentAsync(stream); - } - - // Sanity check to make sure we got an actual response back from the service. - - FormPageCollection formPages = await operation.WaitForCompletionAsync(); - var formPage = formPages.Single(); - - Assert.Greater(formPage.Lines.Count, 0); - Assert.AreEqual("Contoso", formPage.Lines[0].Text); - } - - /// - /// Verifies that the is able to connect to the Form - /// Recognizer cognitive service and perform operations. - /// - [RecordedTest] - [TestCase(true)] - [TestCase(false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeContentPopulatesFormPagePdf(bool useStream) - { - var client = CreateFormRecognizerClient(); - RecognizeContentOperation operation; - - if (useStream) - { - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoicePdf); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeContentAsync(stream); - } - } - else - { - var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.InvoicePdf); - operation = await client.StartRecognizeContentFromUriAsync(uri); - } - - await operation.WaitForCompletionAsync(); - Assert.IsTrue(operation.HasValue); - - var formPage = operation.Value.Single(); - - // The expected values are based on the values returned by the service, and not the actual - // values present in the form. We are not testing the service here, but the SDK. - - Assert.AreEqual(LengthUnit.Inch, formPage.Unit); - Assert.AreEqual(8.5, formPage.Width); - Assert.AreEqual(11, formPage.Height); - Assert.AreEqual(0, formPage.TextAngle); - Assert.AreEqual(18, formPage.Lines.Count); - - var lines = formPage.Lines.ToList(); - - for (var lineIndex = 0; lineIndex < lines.Count; lineIndex++) - { - var line = lines[lineIndex]; - - Assert.NotNull(line.Text, $"Text should not be null in line {lineIndex}."); - Assert.AreEqual(4, line.BoundingBox.Points.Count(), $"There should be exactly 4 points in the bounding box in line {lineIndex}."); - Assert.Greater(line.Words.Count, 0, $"There should be at least one word in line {lineIndex}."); - foreach (var item in line.Words) - { - Assert.GreaterOrEqual(item.Confidence, 0); - } - - Assert.IsNotNull(line.Appearance); - Assert.IsNotNull(line.Appearance.Style); - Assert.AreEqual(TextStyleName.Other, line.Appearance.Style.Name); - Assert.Greater(line.Appearance.Style.Confidence, 0f); - } - - var table = formPage.Tables.Single(); - - Assert.AreEqual(3, table.RowCount); - Assert.AreEqual(6, table.ColumnCount); - Assert.AreEqual(4, table.BoundingBox.Points.Count(), $"There should be exactly 4 points in the table bounding box."); - - var cells = table.Cells.ToList(); - - Assert.AreEqual(11, cells.Count); - - var expectedText = new string[2, 6] - { - { "Invoice Number", "Invoice Date", "Invoice Due Date", "Charges", "", "VAT ID" }, - { "34278587", "6/18/2017", "6/24/2017", "$56,651.49", "", "PT" } - }; - - foreach (var cell in cells) - { - Assert.GreaterOrEqual(cell.RowIndex, 0, $"Cell with text {cell.Text} should have row index greater than or equal to zero."); - Assert.Less(cell.RowIndex, table.RowCount, $"Cell with text {cell.Text} should have row index less than {table.RowCount}."); - Assert.GreaterOrEqual(cell.ColumnIndex, 0, $"Cell with text {cell.Text} should have column index greater than or equal to zero."); - Assert.Less(cell.ColumnIndex, table.ColumnCount, $"Cell with text {cell.Text} should have column index less than {table.ColumnCount}."); - - // Column = 3 has a column span of 2. - var expectedColumnSpan = cell.ColumnIndex == 3 ? 2 : 1; - Assert.AreEqual(expectedColumnSpan, cell.ColumnSpan, $"Cell with text {cell.Text} should have a column span of {expectedColumnSpan}."); - - // Row = 1 and columns 0-4 have a row span of 2. - var expectedRowSpan = (cell.RowIndex == 1 && cell.ColumnIndex != 5) ? 2 : 1; - Assert.AreEqual(expectedRowSpan, cell.RowSpan, $"Cell with text {cell.Text} should have a row span of {expectedRowSpan}."); - - Assert.IsFalse(cell.IsFooter, $"Cell with text {cell.Text} should not have been classified as footer."); - Assert.IsFalse(cell.IsHeader, $"Cell with text {cell.Text} should not have been classified as header."); - - Assert.GreaterOrEqual(cell.Confidence, 0, $"Cell with text {cell.Text} should have confidence greater or equal to zero."); - Assert.LessOrEqual(cell.RowIndex, 2, $"Cell with text {cell.Text} should have a row index less than or equal to two."); - - // row = 2, column = 5 has empty text and no elements - if (cell.RowIndex == 2 && cell.ColumnIndex == 5) - { - Assert.IsEmpty(cell.Text); - Assert.AreEqual(0, cell.FieldElements.Count); - } - else - { - Assert.AreEqual(expectedText[cell.RowIndex, cell.ColumnIndex], cell.Text); - Assert.Greater(cell.FieldElements.Count, 0, $"Cell with text {cell.Text} should have at least one field element."); - } - } - } - - [RecordedTest] - [TestCase(true)] - [TestCase(false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeContentPopulatesFormPageJpg(bool useStream) - { - var client = CreateFormRecognizerClient(); - RecognizeContentOperation operation; - - if (useStream) - { - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.Form1); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeContentAsync(stream); - } - } - else - { - var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.Form1); - operation = await client.StartRecognizeContentFromUriAsync(uri); - } - - await operation.WaitForCompletionAsync(); - Assert.IsTrue(operation.HasValue); - - var formPage = operation.Value.Single(); - - // The expected values are based on the values returned by the service, and not the actual - // values present in the form. We are not testing the service here, but the SDK. - - Assert.AreEqual(LengthUnit.Pixel, formPage.Unit); - Assert.AreEqual(1700, formPage.Width); - Assert.AreEqual(2200, formPage.Height); - Assert.AreEqual(0, formPage.TextAngle); - Assert.AreEqual(54, formPage.Lines.Count); - - var lines = formPage.Lines.ToList(); - - for (var lineIndex = 0; lineIndex < lines.Count; lineIndex++) - { - var line = lines[lineIndex]; - - Assert.NotNull(line.Text, $"Text should not be null in line {lineIndex}."); - Assert.AreEqual(4, line.BoundingBox.Points.Count(), $"There should be exactly 4 points in the bounding box in line {lineIndex}."); - Assert.Greater(line.Words.Count, 0, $"There should be at least one word in line {lineIndex}."); - foreach (var item in line.Words) - { - Assert.GreaterOrEqual(item.Confidence, 0); - } - - Assert.IsNotNull(line.Appearance); - Assert.IsNotNull(line.Appearance.Style); - Assert.Greater(line.Appearance.Style.Confidence, 0f); - - if (lineIndex == 45) - { - Assert.AreEqual(TextStyleName.Handwriting, line.Appearance.Style.Name); - } - else - { - Assert.AreEqual(TextStyleName.Other, line.Appearance.Style.Name); - } - } - - Assert.AreEqual(2, formPage.Tables.Count); - - var sampleTable = formPage.Tables[1]; - - Assert.AreEqual(4, sampleTable.RowCount); - Assert.AreEqual(2, sampleTable.ColumnCount); - Assert.AreEqual(4, sampleTable.BoundingBox.Points.Count(), $"There should be exactly 4 points in the table bounding box."); - - var cells = sampleTable.Cells.ToList(); - - Assert.AreEqual(8, cells.Count); - - var expectedText = new string[4, 2] - { - { "SUBTOTAL", "$140.00" }, - { "TAX", "$4.00" }, - { "", ""}, - { "TOTAL", "$144.00" } - }; - - for (int i = 0; i < cells.Count; i++) - { - Assert.GreaterOrEqual(cells[i].RowIndex, 0, $"Cell with text {cells[i].Text} should have row index greater than or equal to zero."); - Assert.Less(cells[i].RowIndex, sampleTable.RowCount, $"Cell with text {cells[i].Text} should have row index less than {sampleTable.RowCount}."); - Assert.GreaterOrEqual(cells[i].ColumnIndex, 0, $"Cell with text {cells[i].Text} should have column index greater than or equal to zero."); - Assert.Less(cells[i].ColumnIndex, sampleTable.ColumnCount, $"Cell with text {cells[i].Text} should have column index less than {sampleTable.ColumnCount}."); - - Assert.AreEqual(1, cells[i].RowSpan, $"Cell with text {cells[i].Text} should have a row span of 1."); - Assert.AreEqual(1, cells[i].ColumnSpan, $"Cell with text {cells[i].Text} should have a column span of 1."); - - Assert.AreEqual(expectedText[cells[i].RowIndex, cells[i].ColumnIndex], cells[i].Text); - - Assert.IsFalse(cells[i].IsFooter, $"Cell with text {cells[i].Text} should not have been classified as footer."); - Assert.IsFalse(cells[i].IsHeader, $"Cell with text {cells[i].Text} should not have been classified as header."); - - Assert.GreaterOrEqual(cells[i].Confidence, 0, $"Cell with text {cells[i].Text} should have confidence greater or equal to zero."); - - // Empty row - if (cells[i].RowIndex != 2) - { - Assert.Greater(cells[i].FieldElements.Count, 0, $"Cell with text {cells[i].Text} should have at least one field element."); - } - else - { - Assert.AreEqual(0, cells[i].FieldElements.Count); - } - } - } - - [RecordedTest] - [TestCase(true)] - [TestCase(false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeContentCanParseMultipageForm(bool useStream) - { - var client = CreateFormRecognizerClient(); - RecognizeContentOperation operation; - - if (useStream) - { - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipage); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeContentAsync(stream); - } - } - else - { - var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.InvoiceMultipage); - operation = await client.StartRecognizeContentFromUriAsync(uri); - } - - FormPageCollection formPages = await operation.WaitForCompletionAsync(); - - Assert.AreEqual(2, formPages.Count); - - for (int pageIndex = 0; pageIndex < formPages.Count; pageIndex++) - { - var formPage = formPages[pageIndex]; - - ValidateFormPage(formPage, includeFieldElements: true, expectedPageNumber: pageIndex + 1); - - // Basic sanity test to make sure pages are ordered correctly. - - var sampleLine = formPage.Lines[1]; - var expectedText = pageIndex == 0 ? "Vendor Registration" : "Vendor Details:"; - - Assert.AreEqual(expectedText, sampleLine.Text); - } - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeContentCanParseBlankPage() - { - var client = CreateFormRecognizerClient(); - var options = new RecognizeContentOptions(); - RecognizeContentOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.Blank); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeContentAsync(stream, options); - } - - FormPageCollection formPages = await operation.WaitForCompletionAsync(); - var blankPage = formPages.Single(); - - ValidateFormPage(blankPage, includeFieldElements: true, expectedPageNumber: 1); - - Assert.AreEqual(0, blankPage.Lines.Count); - Assert.AreEqual(0, blankPage.Tables.Count); - Assert.AreEqual(0, blankPage.SelectionMarks.Count); - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeContentCanParseMultipageFormWithBlankPage() - { - var client = CreateFormRecognizerClient(); - RecognizeContentOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeContentAsync(stream); - } - - FormPageCollection formPages = await operation.WaitForCompletionAsync(); - - Assert.AreEqual(3, formPages.Count); - - for (int pageIndex = 0; pageIndex < formPages.Count; pageIndex++) - { - var formPage = formPages[pageIndex]; - - ValidateFormPage(formPage, includeFieldElements: true, expectedPageNumber: pageIndex + 1); - - // Basic sanity test to make sure pages are ordered correctly. - - if (pageIndex == 0 || pageIndex == 2) - { - var sampleLine = formPage.Lines[3]; - var expectedText = pageIndex == 0 ? "Bilbo Baggins" : "Frodo Baggins"; - - Assert.AreEqual(expectedText, sampleLine.Text); - } - } - - var blankPage = formPages[1]; - - Assert.AreEqual(0, blankPage.Lines.Count); - Assert.AreEqual(0, blankPage.Tables.Count); - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public void StartRecognizeContentThrowsForDamagedFile() - { - var client = CreateFormRecognizerClient(); - - // First 4 bytes are PDF signature, but fill the rest of the "file" with garbage. - - var damagedFile = new byte[] { 0x25, 0x50, 0x44, 0x46, 0x55, 0x55, 0x55 }; - using var stream = new MemoryStream(damagedFile); - - RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeContentAsync(stream)); - Assert.AreEqual("InvalidImage", ex.ErrorCode); - } - - /// - /// Verifies that the is able to connect to the Form - /// Recognizer cognitive service and handle returned errors. - /// - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public void StartRecognizeContentFromUriThrowsForNonExistingContent() - { - var client = CreateFormRecognizerClient(); - var invalidUri = new Uri("https://idont.ex.ist"); - - RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeContentFromUriAsync(invalidUri)); - Assert.AreEqual("FailedToDownloadImage", ex.ErrorCode); - } - - [RecordedTest] - [TestCase(true)] - [TestCase(false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeContentWithSelectionMarks(bool useStream) - { - var client = CreateFormRecognizerClient(); - RecognizeContentOperation operation; - - if (useStream) - { - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.FormSelectionMarks); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeContentAsync(stream); - } - } - else - { - var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.FormSelectionMarks); - operation = await client.StartRecognizeContentFromUriAsync(uri); - } - - await operation.WaitForCompletionAsync(); - Assert.IsTrue(operation.HasValue); - - var formPage = operation.Value.Single(); - - ValidateFormPage(formPage, includeFieldElements: true, expectedPageNumber: 1); - } - - [RecordedTest] - [TestCase("1", 1)] - [TestCase("1-2", 2)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeContentWithOnePageArgument(string pages, int expected) - { - var client = CreateFormRecognizerClient(); - RecognizeContentOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeContentAsync(stream, new RecognizeContentOptions() { Pages = { pages } }); - } - - FormPageCollection formPages = await operation.WaitForCompletionAsync(); - - Assert.AreEqual(expected, formPages.Count); - } - - [RecordedTest] - [TestCase("1", "3", 2)] - [TestCase("1-2", "3", 3)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeContentWithMultiplePageArgument(string page1, string page2, int expected) - { - var client = CreateFormRecognizerClient(); - RecognizeContentOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeContentAsync(stream, new RecognizeContentOptions() { Pages = { page1, page2 } }); - } - - FormPageCollection formPages = await operation.WaitForCompletionAsync(); - - Assert.AreEqual(expected, formPages.Count); - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeContentWithLanguage() - { - var client = CreateFormRecognizerClient(); - RecognizeContentOperation operation; - - var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.Form1); - operation = await client.StartRecognizeContentFromUriAsync(uri, new RecognizeContentOptions() { Language = FormRecognizerLanguage.En } ); - - await operation.WaitForCompletionAsync(); - Assert.IsTrue(operation.HasValue); - - var formPage = operation.Value.Single(); - - ValidateFormPage(formPage, includeFieldElements: true, expectedPageNumber: 1); - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public void StartRecognizeContentWithNoSupporttedLanguage() - { - var client = CreateFormRecognizerClient(); - var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.Form1); - - RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeContentFromUriAsync(uri, new RecognizeContentOptions() { Language = "not language" }) ); - Assert.AreEqual("NotSupportedLanguage", ex.ErrorCode); - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeContentWithReadingOrder() - { - var client = CreateFormRecognizerClient(); - var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.Form1); - RecognizeContentOperation basicOrderOperation, naturalOrderOperation; - - basicOrderOperation = await client.StartRecognizeContentFromUriAsync(uri, new RecognizeContentOptions() { ReadingOrder = ReadingOrder.Basic }); - naturalOrderOperation = await client.StartRecognizeContentFromUriAsync(uri, new RecognizeContentOptions() { ReadingOrder = ReadingOrder.Natural }); - - await basicOrderOperation.WaitForCompletionAsync(); - Assert.IsTrue(basicOrderOperation.HasValue); - - await naturalOrderOperation.WaitForCompletionAsync(); - Assert.IsTrue(naturalOrderOperation.HasValue); - - var basicOrderFormPage = basicOrderOperation.Value.Single(); - var naturalOrderFormPage = naturalOrderOperation.Value.Single(); - - ValidateFormPage(basicOrderFormPage, includeFieldElements: true, expectedPageNumber: 1); - ValidateFormPage(naturalOrderFormPage, includeFieldElements: true, expectedPageNumber: 1); - - var basicOrderLines = basicOrderFormPage.Lines.Select(f => f.Text); - var naturalOrderLines = naturalOrderFormPage.Lines.Select(f => f.Text); - - CollectionAssert.AreEquivalent(basicOrderLines, naturalOrderLines); - CollectionAssert.AreNotEqual(basicOrderLines, naturalOrderLines); - } - - #endregion - - #region StartRecognizeReceipts - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeReceiptsCanAuthenticateWithTokenCredential() - { - var client = CreateFormRecognizerClient(useTokenCredential: true); - RecognizeReceiptsOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.ReceiptJpg); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeReceiptsAsync(stream); - } - - // Sanity check to make sure we got an actual response back from the service. - - RecognizedFormCollection formPage = await operation.WaitForCompletionAsync(); - - RecognizedForm form = formPage.Single(); - Assert.NotNull(form); - - ValidatePrebuiltForm( - form, - includeFieldElements: true, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 1); - } - - /// - /// Verifies that the is able to connect to the Form - /// Recognizer cognitive service and perform analysis of receipts. - /// - [RecordedTest] - [TestCase(true)] - [TestCase(false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeReceiptsPopulatesExtractedReceiptJpg(bool useStream) - { - var client = CreateFormRecognizerClient(); - RecognizeReceiptsOperation operation; - - if (useStream) - { - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.ReceiptJpg); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeReceiptsAsync(stream); - } - } - else - { - var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.ReceiptJpg); - operation = await client.StartRecognizeReceiptsFromUriAsync(uri, default); - } - - await operation.WaitForCompletionAsync(); - - Assert.IsTrue(operation.HasValue); - - var form = operation.Value.Single(); - - Assert.NotNull(form); - - ValidatePrebuiltForm( - form, - includeFieldElements: true, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 1); - - // The expected values are based on the values returned by the service, and not the actual - // values present in the receipt. We are not testing the service here, but the SDK. - - Assert.AreEqual("prebuilt:receipt", form.FormType); - Assert.AreEqual(1, form.PageRange.FirstPageNumber); - Assert.AreEqual(1, form.PageRange.LastPageNumber); - - Assert.NotNull(form.Fields); - - Assert.True(form.Fields.ContainsKey("ReceiptType")); - Assert.True(form.Fields.ContainsKey("MerchantAddress")); - Assert.True(form.Fields.ContainsKey("MerchantName")); - Assert.True(form.Fields.ContainsKey("MerchantPhoneNumber")); - Assert.True(form.Fields.ContainsKey("TransactionDate")); - Assert.True(form.Fields.ContainsKey("TransactionTime")); - Assert.True(form.Fields.ContainsKey("Items")); - Assert.True(form.Fields.ContainsKey("Subtotal")); - Assert.True(form.Fields.ContainsKey("Tax")); - Assert.True(form.Fields.ContainsKey("Total")); - - Assert.AreEqual("Itemized", form.Fields["ReceiptType"].Value.AsString()); - Assert.AreEqual("Contoso", form.Fields["MerchantName"].Value.AsString()); - Assert.AreEqual("123 Main Street Redmond, WA 98052", form.Fields["MerchantAddress"].Value.AsString()); - Assert.AreEqual("123-456-7890", form.Fields["MerchantPhoneNumber"].ValueData.Text); - - var date = form.Fields["TransactionDate"].Value.AsDate(); - var time = form.Fields["TransactionTime"].Value.AsTime(); - - Assert.AreEqual(10, date.Day); - Assert.AreEqual(6, date.Month); - Assert.AreEqual(2019, date.Year); - - Assert.AreEqual(13, time.Hours); - Assert.AreEqual(59, time.Minutes); - Assert.AreEqual(0, time.Seconds); - - var expectedItems = new List<(int? Quantity, string Name, float? Price, float? TotalPrice)>() - { - (1, "Surface Pro 6", null, 999.00f), - (1, "SurfacePen", null, 99.99f) - }; - - // Include a bit of tolerance when comparing float types. - - var items = form.Fields["Items"].Value.AsList(); - - Assert.AreEqual(expectedItems.Count, items.Count); - - for (var itemIndex = 0; itemIndex < items.Count; itemIndex++) - { - var receiptItemInfo = items[itemIndex].Value.AsDictionary(); - - receiptItemInfo.TryGetValue("Quantity", out var quantityField); - receiptItemInfo.TryGetValue("Name", out var nameField); - receiptItemInfo.TryGetValue("Price", out var priceField); - receiptItemInfo.TryGetValue("TotalPrice", out var totalPriceField); - - var quantity = quantityField == null ? null : (float?)quantityField.Value.AsFloat(); - var name = nameField == null ? null : nameField.Value.AsString(); - var price = priceField == null ? null : (float?)priceField.Value.AsFloat(); - var totalPrice = totalPriceField == null ? null : (float?)totalPriceField.Value.AsFloat(); - - var expectedItem = expectedItems[itemIndex]; - - Assert.AreEqual(expectedItem.Quantity, quantity, $"Quantity mismatch in item with index {itemIndex}."); - Assert.AreEqual(expectedItem.Name, name, $"Name mismatch in item with index {itemIndex}."); - Assert.That(price, Is.EqualTo(expectedItem.Price).Within(0.0001), $"Price mismatch in item with index {itemIndex}."); - Assert.That(totalPrice, Is.EqualTo(expectedItem.TotalPrice).Within(0.0001), $"Total price mismatch in item with index {itemIndex}."); - } - - Assert.That(form.Fields["Subtotal"].Value.AsFloat(), Is.EqualTo(1098.99).Within(0.0001)); - Assert.That(form.Fields["Tax"].Value.AsFloat(), Is.EqualTo(104.40).Within(0.0001)); - Assert.That(form.Fields["Total"].Value.AsFloat(), Is.EqualTo(1203.39).Within(0.0001)); - } - - [RecordedTest] - [TestCase(true)] - [TestCase(false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeReceiptsPopulatesExtractedReceiptPng(bool useStream) - { - var client = CreateFormRecognizerClient(); - RecognizeReceiptsOperation operation; - - if (useStream) - { - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.ReceiptPng); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeReceiptsAsync(stream); - } - } - else - { - var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.ReceiptPng); - operation = await client.StartRecognizeReceiptsFromUriAsync(uri, default); - } - - await operation.WaitForCompletionAsync(); - - Assert.IsTrue(operation.HasValue); - - var form = operation.Value.Single(); - - Assert.NotNull(form); - - ValidatePrebuiltForm( - form, - includeFieldElements: true, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 1); - - // The expected values are based on the values returned by the service, and not the actual - // values present in the receipt. We are not testing the service here, but the SDK. - - Assert.AreEqual("prebuilt:receipt", form.FormType); - - Assert.AreEqual(1, form.PageRange.FirstPageNumber); - Assert.AreEqual(1, form.PageRange.LastPageNumber); - - Assert.NotNull(form.Fields); - - Assert.True(form.Fields.ContainsKey("ReceiptType")); - Assert.True(form.Fields.ContainsKey("MerchantAddress")); - Assert.True(form.Fields.ContainsKey("MerchantName")); - Assert.True(form.Fields.ContainsKey("MerchantPhoneNumber")); - Assert.True(form.Fields.ContainsKey("TransactionDate")); - Assert.True(form.Fields.ContainsKey("TransactionTime")); - Assert.True(form.Fields.ContainsKey("Items")); - Assert.True(form.Fields.ContainsKey("Subtotal")); - Assert.True(form.Fields.ContainsKey("Tax")); - Assert.True(form.Fields.ContainsKey("Tip")); - Assert.True(form.Fields.ContainsKey("Total")); - - Assert.AreEqual("Itemized", form.Fields["ReceiptType"].Value.AsString()); - Assert.AreEqual("Contoso", form.Fields["MerchantName"].Value.AsString()); - Assert.AreEqual("123 Main Street Redmond, WA 98052", form.Fields["MerchantAddress"].Value.AsString()); - Assert.AreEqual("987-654-3210", form.Fields["MerchantPhoneNumber"].ValueData.Text); - - var date = form.Fields["TransactionDate"].Value.AsDate(); - var time = form.Fields["TransactionTime"].Value.AsTime(); - - Assert.AreEqual(10, date.Day); - Assert.AreEqual(6, date.Month); - Assert.AreEqual(2019, date.Year); - - Assert.AreEqual(13, time.Hours); - Assert.AreEqual(59, time.Minutes); - Assert.AreEqual(0, time.Seconds); - - var expectedItems = new List<(int? Quantity, string Name, float? Price, float? TotalPrice)>() - { - (1, "Cappuccino", null, 2.20f), - (1, "BACON & EGGS", null, 9.50f) - }; - - // Include a bit of tolerance when comparing float types. - - var items = form.Fields["Items"].Value.AsList(); - - Assert.AreEqual(expectedItems.Count, items.Count); - - for (var itemIndex = 0; itemIndex < items.Count; itemIndex++) - { - var receiptItemInfo = items[itemIndex].Value.AsDictionary(); - - receiptItemInfo.TryGetValue("Quantity", out var quantityField); - receiptItemInfo.TryGetValue("Name", out var nameField); - receiptItemInfo.TryGetValue("Price", out var priceField); - receiptItemInfo.TryGetValue("TotalPrice", out var totalPriceField); - - var quantity = quantityField == null ? null : (float?)quantityField.Value.AsFloat(); - var name = nameField == null ? null : nameField.Value.AsString(); - var price = priceField == null ? null : (float?)priceField.Value.AsFloat(); - var totalPrice = totalPriceField == null ? null : (float?)totalPriceField.Value.AsFloat(); - - var expectedItem = expectedItems[itemIndex]; - - Assert.AreEqual(expectedItem.Quantity, quantity, $"Quantity mismatch in item with index {itemIndex}."); - Assert.AreEqual(expectedItem.Name, name, $"Name mismatch in item with index {itemIndex}."); - Assert.That(price, Is.EqualTo(expectedItem.Price).Within(0.0001), $"Price mismatch in item with index {itemIndex}."); - Assert.That(totalPrice, Is.EqualTo(expectedItem.TotalPrice).Within(0.0001), $"Total price mismatch in item with index {itemIndex}."); - } - - Assert.That(form.Fields["Subtotal"].Value.AsFloat(), Is.EqualTo(11.70).Within(0.0001)); - Assert.That(form.Fields["Tax"].Value.AsFloat(), Is.EqualTo(1.17).Within(0.0001)); - Assert.That(form.Fields["Tip"].Value.AsFloat(), Is.EqualTo(1.63).Within(0.0001)); - Assert.That(form.Fields["Total"].Value.AsFloat(), Is.EqualTo(14.50).Within(0.0001)); - } - - [RecordedTest] - [TestCase(true)] - [TestCase(false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeReceiptsCanParseMultipageForm(bool useStream) - { - var client = CreateFormRecognizerClient(); - var options = new RecognizeReceiptsOptions() { IncludeFieldElements = true }; - RecognizeReceiptsOperation operation; - - if (useStream) - { - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipage); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeReceiptsAsync(stream, options); - } - } - else - { - var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.InvoiceMultipage); - operation = await client.StartRecognizeReceiptsFromUriAsync(uri, options); - } - - RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); - - Assert.AreEqual(2, recognizedForms.Count); - - for (int formIndex = 0; formIndex < recognizedForms.Count; formIndex++) - { - var recognizedForm = recognizedForms[formIndex]; - var expectedPageNumber = formIndex + 1; - - Assert.NotNull(recognizedForm); - - ValidatePrebuiltForm( - recognizedForm, - includeFieldElements: true, - expectedFirstPageNumber: expectedPageNumber, - expectedLastPageNumber: expectedPageNumber); - - // Basic sanity test to make sure pages are ordered correctly. - - if (formIndex == 0) - { - var sampleField = recognizedForm.Fields["MerchantAddress"]; - - Assert.IsNotNull(sampleField.ValueData); - Assert.AreEqual("Maple City, Massachusetts.", sampleField.ValueData.Text); - } - else if (formIndex == 1) - { - Assert.IsFalse(recognizedForm.Fields.TryGetValue("MerchantAddress", out _)); - } - } - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeReceiptsCanParseBlankPage() - { - var client = CreateFormRecognizerClient(); - var options = new RecognizeReceiptsOptions() { IncludeFieldElements = true }; - RecognizeReceiptsOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.Blank); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeReceiptsAsync(stream, options); - } - - RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); - - var blankForm = recognizedForms.Single(); - - ValidatePrebuiltForm( - blankForm, - includeFieldElements: true, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 1); - - Assert.AreEqual(0, blankForm.Fields.Count); - - var blankPage = blankForm.Pages.Single(); - - Assert.AreEqual(0, blankPage.Lines.Count); - Assert.AreEqual(0, blankPage.Tables.Count); - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeReceiptsCanParseMultipageFormWithBlankPage() - { - var client = CreateFormRecognizerClient(); - var options = new RecognizeReceiptsOptions() { IncludeFieldElements = true }; - RecognizeReceiptsOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeReceiptsAsync(stream, options); - } - - RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); - - Assert.AreEqual(3, recognizedForms.Count); - - for (int formIndex = 0; formIndex < recognizedForms.Count; formIndex++) - { - var recognizedForm = recognizedForms[formIndex]; - var expectedPageNumber = formIndex + 1; - - Assert.NotNull(recognizedForm); - - ValidatePrebuiltForm( - recognizedForm, - includeFieldElements: true, - expectedFirstPageNumber: expectedPageNumber, - expectedLastPageNumber: expectedPageNumber); - - // Basic sanity test to make sure pages are ordered correctly. - - if (formIndex == 0 || formIndex == 2) - { - var sampleField = recognizedForm.Fields["Total"]; - var expectedValueData = formIndex == 0 ? "430.00" : "4300.00"; - - Assert.IsNotNull(sampleField.ValueData); - Assert.AreEqual(expectedValueData, sampleField.ValueData.Text); - } - } - - var blankForm = recognizedForms[1]; - - Assert.AreEqual(0, blankForm.Fields.Count); - - var blankPage = blankForm.Pages.Single(); - - Assert.AreEqual(0, blankPage.Lines.Count); - Assert.AreEqual(0, blankPage.Tables.Count); - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public void StartRecognizeReceiptsThrowsForDamagedFile() - { - var client = CreateFormRecognizerClient(); - - // First 4 bytes are PDF signature, but fill the rest of the "file" with garbage. - - var damagedFile = new byte[] { 0x25, 0x50, 0x44, 0x46, 0x55, 0x55, 0x55 }; - using var stream = new MemoryStream(damagedFile); - - RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeReceiptsAsync(stream)); - Assert.AreEqual("BadArgument", ex.ErrorCode); - } - - /// - /// Verifies that the is able to connect to the Form - /// Recognizer cognitive service and handle returned errors. - /// - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public void StartRecognizeReceiptsFromUriThrowsForNonExistingContent() - { - var client = CreateFormRecognizerClient(); - var invalidUri = new Uri("https://idont.ex.ist"); - - RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeReceiptsFromUriAsync(invalidUri)); - Assert.AreEqual("FailedToDownloadImage", ex.ErrorCode); - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeReceiptsWithSupportedLocale() - { - var client = CreateFormRecognizerClient(); - var options = new RecognizeReceiptsOptions() - { - IncludeFieldElements = true, - Locale = FormRecognizerLocale.EnUS - }; - RecognizeReceiptsOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.ReceiptJpg); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeReceiptsAsync(stream, options); - } - - RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); - - var receipt = recognizedForms.Single(); - - ValidatePrebuiltForm( - receipt, - includeFieldElements: true, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 1); - - Assert.Greater(receipt.Fields.Count, 0); - - var receiptPage = receipt.Pages.Single(); - - Assert.Greater(receiptPage.Lines.Count, 0); - Assert.AreEqual(0, receiptPage.SelectionMarks.Count); - Assert.AreEqual(0, receiptPage.Tables.Count); - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public void StartRecognizeReceiptsWithWrongLocale() - { - var client = CreateFormRecognizerClient(); - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.ReceiptJpg); - RequestFailedException ex; - - using (Recording.DisableRequestBodyRecording()) - { - ex = Assert.ThrowsAsync(async () => await client.StartRecognizeReceiptsAsync(stream, new RecognizeReceiptsOptions() { Locale = "not-locale" })); - } - Assert.AreEqual("UnsupportedLocale", ex.ErrorCode); - } - - [RecordedTest] - [TestCase("1", 1)] - [TestCase("1-2", 2)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeReceiptsWithOnePageArgument(string pages, int expected) - { - var client = CreateFormRecognizerClient(); - RecognizeReceiptsOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeReceiptsAsync(stream, new RecognizeReceiptsOptions() { Pages = { pages } }); - } - - RecognizedFormCollection forms = await operation.WaitForCompletionAsync(); - - Assert.AreEqual(expected, forms.Count); - } - - [RecordedTest] - [TestCase("1", "3", 2)] - [TestCase("1-2", "3", 3)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeReceiptsWithMultiplePageArgument(string page1, string page2, int expected) - { - var client = CreateFormRecognizerClient(); - RecognizeReceiptsOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeReceiptsAsync(stream, new RecognizeReceiptsOptions() { Pages = { page1, page2 } }); - } - - RecognizedFormCollection forms = await operation.WaitForCompletionAsync(); - - Assert.AreEqual(expected, forms.Count); - } - - #endregion - - #region StartRecognizeBusinessCards - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeBusinessCardsCanAuthenticateWithTokenCredential() - { - var client = CreateFormRecognizerClient(useTokenCredential: true); - RecognizeBusinessCardsOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.BusinessCardJpg); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeBusinessCardsAsync(stream); - } - - // Sanity check to make sure we got an actual response back from the service. - - RecognizedFormCollection formPage = await operation.WaitForCompletionAsync(); - - RecognizedForm form = formPage.Single(); - Assert.NotNull(form); - - ValidatePrebuiltForm( - form, - includeFieldElements: true, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 1); - } - - [RecordedTest] - [TestCase(true)] - [TestCase(false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeBusinessCardsPopulatesExtractedJpg(bool useStream) - { - var client = CreateFormRecognizerClient(); - RecognizeBusinessCardsOperation operation; - - if (useStream) - { - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.BusinessCardJpg); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeBusinessCardsAsync(stream); - } - } - else - { - var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.BusinessCardJpg); - operation = await client.StartRecognizeBusinessCardsFromUriAsync(uri); - } - - await operation.WaitForCompletionAsync(); - - Assert.IsTrue(operation.HasValue); - - var form = operation.Value.Single(); - - Assert.NotNull(form); - - ValidatePrebuiltForm( - form, - includeFieldElements: true, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 1); - - // The expected values are based on the values returned by the service, and not the actual - // values present in the business card. We are not testing the service here, but the SDK. - - Assert.AreEqual("prebuilt:businesscard", form.FormType); - Assert.AreEqual(1, form.PageRange.FirstPageNumber); - Assert.AreEqual(1, form.PageRange.LastPageNumber); - - Assert.NotNull(form.Fields); - - Assert.True(form.Fields.ContainsKey("ContactNames")); - Assert.True(form.Fields.ContainsKey("JobTitles")); - Assert.True(form.Fields.ContainsKey("Departments")); - Assert.True(form.Fields.ContainsKey("Emails")); - Assert.True(form.Fields.ContainsKey("Websites")); - Assert.True(form.Fields.ContainsKey("MobilePhones")); - Assert.True(form.Fields.ContainsKey("WorkPhones")); - Assert.True(form.Fields.ContainsKey("Faxes")); - Assert.True(form.Fields.ContainsKey("Addresses")); - Assert.True(form.Fields.ContainsKey("CompanyNames")); - - var contactNames = form.Fields["ContactNames"].Value.AsList(); - Assert.AreEqual(1, contactNames.Count); - Assert.AreEqual("Dr. Avery Smith", contactNames.FirstOrDefault().ValueData.Text); - Assert.AreEqual(1, contactNames.FirstOrDefault().ValueData.PageNumber); - - var contactNamesDict = contactNames.FirstOrDefault().Value.AsDictionary(); - - Assert.True(contactNamesDict.ContainsKey("FirstName")); - Assert.AreEqual("Avery", contactNamesDict["FirstName"].Value.AsString()); - - Assert.True(contactNamesDict.ContainsKey("LastName")); - Assert.AreEqual("Smith", contactNamesDict["LastName"].Value.AsString()); - - var jobTitles = form.Fields["JobTitles"].Value.AsList(); - Assert.AreEqual(1, jobTitles.Count); - Assert.AreEqual("Senior Researcher", jobTitles.FirstOrDefault().Value.AsString()); - - var departments = form.Fields["Departments"].Value.AsList(); - Assert.AreEqual(1, departments.Count); - Assert.AreEqual("Cloud & Al Department", departments.FirstOrDefault().Value.AsString()); - - var emails = form.Fields["Emails"].Value.AsList(); - Assert.AreEqual(1, emails.Count); - Assert.AreEqual("avery.smith@contoso.com", emails.FirstOrDefault().Value.AsString()); - - var websites = form.Fields["Websites"].Value.AsList(); - Assert.AreEqual(1, websites.Count); - Assert.AreEqual("https://www.contoso.com/", websites.FirstOrDefault().Value.AsString()); - - // Update validation when https://github.com/Azure/azure-sdk-for-python/issues/14300 is fixed - var mobilePhones = form.Fields["MobilePhones"].Value.AsList(); - Assert.AreEqual(1, mobilePhones.Count); - Assert.AreEqual(FieldValueType.PhoneNumber, mobilePhones.FirstOrDefault().Value.ValueType); - - var otherPhones = form.Fields["WorkPhones"].Value.AsList(); - Assert.AreEqual(1, otherPhones.Count); - Assert.AreEqual(FieldValueType.PhoneNumber, otherPhones.FirstOrDefault().Value.ValueType); - - var faxes = form.Fields["Faxes"].Value.AsList(); - Assert.AreEqual(1, faxes.Count); - Assert.AreEqual(FieldValueType.PhoneNumber, faxes.FirstOrDefault().Value.ValueType); - - var addresses = form.Fields["Addresses"].Value.AsList(); - Assert.AreEqual(1, addresses.Count); - Assert.AreEqual("2 Kingdom Street Paddington, London, W2 6BD", addresses.FirstOrDefault().Value.AsString()); - - var companyNames = form.Fields["CompanyNames"].Value.AsList(); - Assert.AreEqual(1, companyNames.Count); - Assert.AreEqual("Contoso", companyNames.FirstOrDefault().Value.AsString()); - } - - [RecordedTest] - [TestCase(true)] - [TestCase(false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeBusinessCardsPopulatesExtractedPng(bool useStream) - { - var client = CreateFormRecognizerClient(); - RecognizeBusinessCardsOperation operation; - - if (useStream) - { - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.BusinessCardJpg); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeBusinessCardsAsync(stream); - } - } - else - { - var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.BusinessCardtPng); - operation = await client.StartRecognizeBusinessCardsFromUriAsync(uri); - } - - await operation.WaitForCompletionAsync(); - - Assert.IsTrue(operation.HasValue); - - var form = operation.Value.Single(); - - Assert.NotNull(form); - - ValidatePrebuiltForm( - form, - includeFieldElements: true, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 1); - - // The expected values are based on the values returned by the service, and not the actual - // values present in the business card. We are not testing the service here, but the SDK. - - Assert.AreEqual("prebuilt:businesscard", form.FormType); - Assert.AreEqual(1, form.PageRange.FirstPageNumber); - Assert.AreEqual(1, form.PageRange.LastPageNumber); - - Assert.NotNull(form.Fields); - - Assert.True(form.Fields.ContainsKey("ContactNames")); - Assert.True(form.Fields.ContainsKey("JobTitles")); - Assert.True(form.Fields.ContainsKey("Departments")); - Assert.True(form.Fields.ContainsKey("Emails")); - Assert.True(form.Fields.ContainsKey("Websites")); - Assert.True(form.Fields.ContainsKey("MobilePhones")); - Assert.True(form.Fields.ContainsKey("WorkPhones")); - Assert.True(form.Fields.ContainsKey("Faxes")); - Assert.True(form.Fields.ContainsKey("Addresses")); - Assert.True(form.Fields.ContainsKey("CompanyNames")); - - var contactNames = form.Fields["ContactNames"].Value.AsList(); - Assert.AreEqual(1, contactNames.Count); - Assert.AreEqual("Dr. Avery Smith", contactNames.FirstOrDefault().ValueData.Text); - Assert.AreEqual(1, contactNames.FirstOrDefault().ValueData.PageNumber); - - var contactNamesDict = contactNames.FirstOrDefault().Value.AsDictionary(); - - Assert.True(contactNamesDict.ContainsKey("FirstName")); - Assert.AreEqual("Avery", contactNamesDict["FirstName"].Value.AsString()); - - Assert.True(contactNamesDict.ContainsKey("LastName")); - Assert.AreEqual("Smith", contactNamesDict["LastName"].Value.AsString()); - - var jobTitles = form.Fields["JobTitles"].Value.AsList(); - Assert.AreEqual(1, jobTitles.Count); - Assert.AreEqual("Senior Researcher", jobTitles.FirstOrDefault().Value.AsString()); - - var departments = form.Fields["Departments"].Value.AsList(); - Assert.AreEqual(1, departments.Count); - Assert.AreEqual("Cloud & Al Department", departments.FirstOrDefault().Value.AsString()); - - var emails = form.Fields["Emails"].Value.AsList(); - Assert.AreEqual(1, emails.Count); - Assert.AreEqual("avery.smith@contoso.com", emails.FirstOrDefault().Value.AsString()); - - var websites = form.Fields["Websites"].Value.AsList(); - Assert.AreEqual(1, websites.Count); - Assert.AreEqual("https://www.contoso.com/", websites.FirstOrDefault().Value.AsString()); - - // Update validation when https://github.com/Azure/azure-sdk-for-python/issues/14300 is fixed - var mobilePhones = form.Fields["MobilePhones"].Value.AsList(); - Assert.AreEqual(1, mobilePhones.Count); - Assert.AreEqual(FieldValueType.PhoneNumber, mobilePhones.FirstOrDefault().Value.ValueType); - - var otherPhones = form.Fields["WorkPhones"].Value.AsList(); - Assert.AreEqual(1, otherPhones.Count); - Assert.AreEqual(FieldValueType.PhoneNumber, otherPhones.FirstOrDefault().Value.ValueType); - - var faxes = form.Fields["Faxes"].Value.AsList(); - Assert.AreEqual(1, faxes.Count); - Assert.AreEqual(FieldValueType.PhoneNumber, faxes.FirstOrDefault().Value.ValueType); - - var addresses = form.Fields["Addresses"].Value.AsList(); - Assert.AreEqual(1, addresses.Count); - Assert.AreEqual("2 Kingdom Street Paddington, London, W2 6BD", addresses.FirstOrDefault().Value.AsString()); - - var companyNames = form.Fields["CompanyNames"].Value.AsList(); - Assert.AreEqual(1, companyNames.Count); - Assert.AreEqual("Contoso", companyNames.FirstOrDefault().Value.AsString()); - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeBusinessCardsIncludeFieldElements() - { - var client = CreateFormRecognizerClient(); - var options = new RecognizeBusinessCardsOptions() { IncludeFieldElements = true }; - RecognizeBusinessCardsOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.BusinessCardJpg); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeBusinessCardsAsync(stream, options); - } - - RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); - - var businessCardsForm = recognizedForms.Single(); - - ValidatePrebuiltForm( - businessCardsForm, - includeFieldElements: true, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 1); - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeBusinessCardsCanParseBlankPage() - { - var client = CreateFormRecognizerClient(); - var options = new RecognizeBusinessCardsOptions() { IncludeFieldElements = true }; - RecognizeBusinessCardsOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.Blank); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeBusinessCardsAsync(stream, options); - } - - RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); - - var blankForm = recognizedForms.Single(); - - ValidatePrebuiltForm( - blankForm, - includeFieldElements: true, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 1); - - Assert.AreEqual(0, blankForm.Fields.Count); - - var blankPage = blankForm.Pages.Single(); - - Assert.AreEqual(0, blankPage.Lines.Count); - Assert.AreEqual(0, blankPage.Tables.Count); - Assert.AreEqual(0, blankPage.SelectionMarks.Count); - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public void StartRecognizeBusinessCardsThrowsForDamagedFile() - { - var client = CreateFormRecognizerClient(); - - // First 4 bytes are PDF signature, but fill the rest of the "file" with garbage. - - var damagedFile = new byte[] { 0x25, 0x50, 0x44, 0x46, 0x55, 0x55, 0x55 }; - using var stream = new MemoryStream(damagedFile); - - RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeBusinessCardsAsync(stream)); - Assert.AreEqual("BadArgument", ex.ErrorCode); - } - - /// - /// Verifies that the is able to connect to the Form - /// Recognizer cognitive service and handle returned errors. - /// - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public void StartRecognizeBusinessCardsFromUriThrowsForNonExistingContent() - { - var client = CreateFormRecognizerClient(); - var invalidUri = new Uri("https://idont.ex.ist"); - - RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeBusinessCardsFromUriAsync(invalidUri)); - Assert.AreEqual("FailedToDownloadImage", ex.ErrorCode); - } - - [RecordedTest] - [TestCase(true)] - [TestCase(false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeBusinessCardsCanParseMultipageForm(bool useStream) - { - var client = CreateFormRecognizerClient(); - var options = new RecognizeBusinessCardsOptions() { IncludeFieldElements = true }; - RecognizeBusinessCardsOperation operation; - - if (useStream) - { - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.BusinessMultipage); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeBusinessCardsAsync(stream, options); - } - } - else - { - var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.BusinessMultipage); - operation = await client.StartRecognizeBusinessCardsFromUriAsync(uri, options); - } - - RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); - - Assert.AreEqual(2, recognizedForms.Count); - - for (int formIndex = 0; formIndex < recognizedForms.Count; formIndex++) - { - var recognizedForm = recognizedForms[formIndex]; - var expectedPageNumber = formIndex + 1; - - Assert.NotNull(recognizedForm); - - ValidatePrebuiltForm( - recognizedForm, - includeFieldElements: true, - expectedFirstPageNumber: expectedPageNumber, - expectedLastPageNumber: expectedPageNumber); - - // Basic sanity test to make sure pages are ordered correctly. - Assert.IsTrue(recognizedForm.Fields.ContainsKey("Emails")); - FormField sampleFields = recognizedForm.Fields["Emails"]; - Assert.AreEqual(FieldValueType.List, sampleFields.Value.ValueType); - var field = sampleFields.Value.AsList().Single(); - - if (formIndex == 0) - { - Assert.AreEqual("johnsinger@contoso.com", field.ValueData.Text); - } - else if (formIndex == 1) - { - Assert.AreEqual("avery.smith@contoso.com", field.ValueData.Text); - } - - // Check for ContactNames.Page value - Assert.IsTrue(recognizedForm.Fields.ContainsKey("ContactNames")); - FormField contactNameField = recognizedForm.Fields["ContactNames"].Value.AsList().Single(); - Assert.AreEqual(formIndex + 1, contactNameField.ValueData.PageNumber); - } - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeBusinessCardsWithSupportedLocale() - { - var client = CreateFormRecognizerClient(); - var options = new RecognizeBusinessCardsOptions() - { - IncludeFieldElements = true, - Locale = FormRecognizerLocale.EnUS - }; - RecognizeBusinessCardsOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.BusinessCardJpg); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeBusinessCardsAsync(stream, options); - } - - RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); - - var businessCard = recognizedForms.Single(); - - ValidatePrebuiltForm( - businessCard, - includeFieldElements: true, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 1); - - Assert.Greater(businessCard.Fields.Count, 0); - - var businessCardPage = businessCard.Pages.Single(); - - Assert.Greater(businessCardPage.Lines.Count, 0); - Assert.AreEqual(0, businessCardPage.SelectionMarks.Count); - Assert.AreEqual(0, businessCardPage.Tables.Count); - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public void StartRecognizeBusinessCardsWithWrongLocale() - { - var client = CreateFormRecognizerClient(); - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.BusinessCardJpg); - RequestFailedException ex; - - using (Recording.DisableRequestBodyRecording()) - { - ex = Assert.ThrowsAsync(async () => await client.StartRecognizeBusinessCardsAsync(stream, new RecognizeBusinessCardsOptions() { Locale = "not-locale" })); - } - Assert.AreEqual("UnsupportedLocale", ex.ErrorCode); - } - - [RecordedTest] - [TestCase("1", 1)] - [TestCase("1-2", 2)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeBusinessCardsWithOnePageArgument(string pages, int expected) - { - var client = CreateFormRecognizerClient(); - RecognizeBusinessCardsOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeBusinessCardsAsync(stream, new RecognizeBusinessCardsOptions() { Pages = { pages } }); - } - - RecognizedFormCollection forms = await operation.WaitForCompletionAsync(); - - Assert.AreEqual(expected, forms.Count); - } - - [RecordedTest] - [TestCase("1", "3", 2)] - [TestCase("1-2", "3", 3)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeBusinessCardsWithMultiplePageArgument(string page1, string page2, int expected) - { - var client = CreateFormRecognizerClient(); - RecognizeBusinessCardsOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeBusinessCardsAsync(stream, new RecognizeBusinessCardsOptions() { Pages = { page1, page2 } }); - } - - RecognizedFormCollection forms = await operation.WaitForCompletionAsync(); - - Assert.AreEqual(expected, forms.Count); - } - - #endregion - - #region StartRecognizeInvoices - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeInvoicesCanAuthenticateWithTokenCredential() - { - var client = CreateFormRecognizerClient(useTokenCredential: true); - RecognizeInvoicesOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceJpg); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeInvoicesAsync(stream); - } - - // Sanity check to make sure we got an actual response back from the service. - - RecognizedFormCollection formPage = await operation.WaitForCompletionAsync(); - - RecognizedForm form = formPage.Single(); - Assert.NotNull(form); - - ValidatePrebuiltForm( - form, - includeFieldElements: true, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 1); - } - - [RecordedTest] - [TestCase(true)] - [TestCase(false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeInvoicesPopulatesExtractedJpg(bool useStream) - { - var client = CreateFormRecognizerClient(); - RecognizeInvoicesOperation operation; - - if (useStream) - { - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceJpg); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeInvoicesAsync(stream); - } - } - else - { - var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.InvoiceJpg); - operation = await client.StartRecognizeInvoicesFromUriAsync(uri); - } - - await operation.WaitForCompletionAsync(); - - Assert.IsTrue(operation.HasValue); - - var form = operation.Value.Single(); - - Assert.NotNull(form); - - // The expected values are based on the values returned by the service, and not the actual - // values present in the invoice. We are not testing the service here, but the SDK. - - Assert.AreEqual("prebuilt:invoice", form.FormType); - Assert.AreEqual(1, form.PageRange.FirstPageNumber); - Assert.AreEqual(1, form.PageRange.LastPageNumber); - - Assert.NotNull(form.Fields); - - Assert.True(form.Fields.ContainsKey("AmountDue")); - Assert.True(form.Fields.ContainsKey("BillingAddress")); - Assert.True(form.Fields.ContainsKey("BillingAddressRecipient")); - Assert.True(form.Fields.ContainsKey("CustomerAddress")); - Assert.True(form.Fields.ContainsKey("CustomerAddressRecipient")); - Assert.True(form.Fields.ContainsKey("CustomerId")); - Assert.True(form.Fields.ContainsKey("CustomerName")); - Assert.True(form.Fields.ContainsKey("DueDate")); - Assert.True(form.Fields.ContainsKey("InvoiceDate")); - Assert.True(form.Fields.ContainsKey("InvoiceId")); - Assert.True(form.Fields.ContainsKey("InvoiceTotal")); - Assert.True(form.Fields.ContainsKey("Items")); - Assert.True(form.Fields.ContainsKey("PreviousUnpaidBalance")); - Assert.True(form.Fields.ContainsKey("PurchaseOrder")); - Assert.True(form.Fields.ContainsKey("RemittanceAddress")); - Assert.True(form.Fields.ContainsKey("RemittanceAddressRecipient")); - Assert.True(form.Fields.ContainsKey("ServiceAddress")); - Assert.True(form.Fields.ContainsKey("ServiceAddressRecipient")); - Assert.True(form.Fields.ContainsKey("ServiceEndDate")); - Assert.True(form.Fields.ContainsKey("ServiceStartDate")); - Assert.True(form.Fields.ContainsKey("ShippingAddress")); - Assert.True(form.Fields.ContainsKey("ShippingAddressRecipient")); - Assert.True(form.Fields.ContainsKey("SubTotal")); - Assert.True(form.Fields.ContainsKey("TotalTax")); - Assert.True(form.Fields.ContainsKey("VendorAddress")); - Assert.True(form.Fields.ContainsKey("VendorAddressRecipient")); - Assert.True(form.Fields.ContainsKey("VendorName")); - - Assert.That(form.Fields["AmountDue"].Value.AsFloat(), Is.EqualTo(610.00).Within(0.0001)); - Assert.AreEqual("123 Bill St, Redmond WA, 98052", form.Fields["BillingAddress"].Value.AsString()); - Assert.AreEqual("Microsoft Finance", form.Fields["BillingAddressRecipient"].Value.AsString()); - Assert.AreEqual("123 Other St, Redmond WA, 98052", form.Fields["CustomerAddress"].Value.AsString()); - Assert.AreEqual("Microsoft Corp", form.Fields["CustomerAddressRecipient"].Value.AsString()); - Assert.AreEqual("CID-12345", form.Fields["CustomerId"].Value.AsString()); - Assert.AreEqual("MICROSOFT CORPORATION", form.Fields["CustomerName"].Value.AsString()); - - var dueDate = form.Fields["DueDate"].Value.AsDate(); - Assert.AreEqual(15, dueDate.Day); - Assert.AreEqual(12, dueDate.Month); - Assert.AreEqual(2019, dueDate.Year); - - var invoiceDate = form.Fields["InvoiceDate"].Value.AsDate(); - Assert.AreEqual(15, invoiceDate.Day); - Assert.AreEqual(11, invoiceDate.Month); - Assert.AreEqual(2019, invoiceDate.Year); - - Assert.AreEqual("INV-100", form.Fields["InvoiceId"].Value.AsString()); - Assert.That(form.Fields["InvoiceTotal"].Value.AsFloat(), Is.EqualTo(110.00).Within(0.0001)); - Assert.That(form.Fields["PreviousUnpaidBalance"].Value.AsFloat(), Is.EqualTo(500.00).Within(0.0001)); - Assert.AreEqual("PO-3333", form.Fields["PurchaseOrder"].Value.AsString()); - Assert.AreEqual("123 Remit St New York, NY, 10001", form.Fields["RemittanceAddress"].Value.AsString()); - Assert.AreEqual("Contoso Billing", form.Fields["RemittanceAddressRecipient"].Value.AsString()); - Assert.AreEqual("123 Service St, Redmond WA, 98052", form.Fields["ServiceAddress"].Value.AsString()); - Assert.AreEqual("Microsoft Services", form.Fields["ServiceAddressRecipient"].Value.AsString()); - - var serviceEndDate = form.Fields["ServiceEndDate"].Value.AsDate(); - Assert.AreEqual(14, serviceEndDate.Day); - Assert.AreEqual(11, serviceEndDate.Month); - Assert.AreEqual(2019, serviceEndDate.Year); - - var serviceStartDate = form.Fields["ServiceStartDate"].Value.AsDate(); - Assert.AreEqual(14, serviceStartDate.Day); - Assert.AreEqual(10, serviceStartDate.Month); - Assert.AreEqual(2019, serviceStartDate.Year); - - Assert.AreEqual("123 Ship St, Redmond WA, 98052", form.Fields["ShippingAddress"].Value.AsString()); - Assert.AreEqual("Microsoft Delivery", form.Fields["ShippingAddressRecipient"].Value.AsString()); - Assert.That(form.Fields["SubTotal"].Value.AsFloat(), Is.EqualTo(100.00).Within(0.0001)); - Assert.That(form.Fields["TotalTax"].Value.AsFloat(), Is.EqualTo(10.00).Within(0.0001)); - Assert.AreEqual("123 456th St New York, NY, 10001", form.Fields["VendorAddress"].Value.AsString()); - Assert.AreEqual("Contoso Headquarters", form.Fields["VendorAddressRecipient"].Value.AsString()); - Assert.AreEqual("CONTOSO LTD.", form.Fields["VendorName"].Value.AsString()); - - // TODO: add validation for Tax which currently don't have `valuenumber` properties. - // Issue: https://github.com/Azure/azure-sdk-for-net/issues/20014 - // TODO: add validation for Unit which currently is set as type `number` but should be `string`. - // Issue: https://github.com/Azure/azure-sdk-for-net/issues/20015 - var expectedItems = new List<(float? Amount, DateTime Date, string Description, string ProductCode, float? Quantity, float? UnitPrice)>() - { - (60f, DateTime.Parse("2021-03-04 00:00:00"), "Consulting Services", "A123", 2f, 30f), - (30f, DateTime.Parse("2021-03-05 00:00:00"), "Document Fee", "B456", 3f, 10f), - (10f, DateTime.Parse("2021-03-06 00:00:00"), "Printing Fee", "C789", 10f, 1f) - }; - - // Include a bit of tolerance when comparing float types. - - var items = form.Fields["Items"].Value.AsList(); - - Assert.AreEqual(expectedItems.Count, items.Count); - - for (var itemIndex = 0; itemIndex < items.Count; itemIndex++) - { - var receiptItemInfo = items[itemIndex].Value.AsDictionary(); - - receiptItemInfo.TryGetValue("Amount", out var amountField); - receiptItemInfo.TryGetValue("Date", out var dateField); - receiptItemInfo.TryGetValue("Description", out var descriptionField); - receiptItemInfo.TryGetValue("ProductCode", out var productCodeField); - receiptItemInfo.TryGetValue("Quantity", out var quantityField); - receiptItemInfo.TryGetValue("UnitPrice", out var unitPricefield); - - float? amount = amountField.Value.AsFloat(); - string description = descriptionField.Value.AsString(); - string productCode = productCodeField.Value.AsString(); - float? quantity = quantityField?.Value.AsFloat(); - float? unitPrice = unitPricefield.Value.AsFloat(); - - Assert.IsNotNull(dateField); - DateTime date = dateField.Value.AsDate(); - - var expectedItem = expectedItems[itemIndex]; - - Assert.That(amount, Is.EqualTo(expectedItem.Amount).Within(0.0001), $"Amount mismatch in item with index {itemIndex}."); - Assert.AreEqual(expectedItem.Date, date, $"Date mismatch in item with index {itemIndex}."); - Assert.AreEqual(expectedItem.Description, description, $"Description mismatch in item with index {itemIndex}."); - Assert.AreEqual(expectedItem.ProductCode, productCode, $"ProductCode mismatch in item with index {itemIndex}."); - Assert.That(quantity, Is.EqualTo(expectedItem.Quantity).Within(0.0001), $"Quantity mismatch in item with index {itemIndex}."); - Assert.That(unitPrice, Is.EqualTo(expectedItem.UnitPrice).Within(0.0001), $"UnitPrice price mismatch in item with index {itemIndex}."); - } - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeInvoicesIncludeFieldElements() - { - var client = CreateFormRecognizerClient(); - var options = new RecognizeInvoicesOptions() { IncludeFieldElements = true }; - RecognizeInvoicesOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceJpg); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeInvoicesAsync(stream, options); - } - - RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); - - var invoicesform = recognizedForms.Single(); - - ValidatePrebuiltForm( - invoicesform, - includeFieldElements: true, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 1); - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeInvoicesCanParseBlankPage() - { - var client = CreateFormRecognizerClient(); - RecognizeInvoicesOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.Blank); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeInvoicesAsync(stream); - } - - RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); - - var blankForm = recognizedForms.Single(); - - ValidatePrebuiltForm( - blankForm, - includeFieldElements: false, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 1); - - Assert.AreEqual(0, blankForm.Fields.Count); - - var blankPage = blankForm.Pages.Single(); - - Assert.AreEqual(0, blankPage.Lines.Count); - Assert.AreEqual(0, blankPage.Tables.Count); - Assert.AreEqual(0, blankPage.SelectionMarks.Count); - } - - [RecordedTest] - [TestCase(true)] - [TestCase(false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeInvoicesCanParseMultipageForm(bool useStream) - { - var client = CreateFormRecognizerClient(); - var options = new RecognizeInvoicesOptions() { IncludeFieldElements = true }; - RecognizeInvoicesOperation operation; - - if (useStream) - { - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipage); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeInvoicesAsync(stream, options); - } - } - else - { - var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.InvoiceMultipage); - operation = await client.StartRecognizeInvoicesFromUriAsync(uri, options); - } - - RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); - - var form = recognizedForms.Single(); - - Assert.NotNull(form); - - // The expected values are based on the values returned by the service, and not the actual - // values present in the invoice. We are not testing the service here, but the SDK. - - Assert.AreEqual("prebuilt:invoice", form.FormType); - Assert.AreEqual(1, form.PageRange.FirstPageNumber); - Assert.AreEqual(2, form.PageRange.LastPageNumber); - - Assert.NotNull(form.Fields); - - Assert.True(form.Fields.ContainsKey("VendorName")); - Assert.True(form.Fields.ContainsKey("RemittanceAddressRecipient")); - Assert.True(form.Fields.ContainsKey("RemittanceAddress")); - - FormField vendorName = form.Fields["VendorName"]; - Assert.AreEqual(2, vendorName.ValueData.PageNumber); - Assert.AreEqual("Southridge Video", vendorName.Value.AsString()); - - FormField addressRecepient = form.Fields["RemittanceAddressRecipient"]; - Assert.AreEqual(1, addressRecepient.ValueData.PageNumber); - Assert.AreEqual("Contoso Ltd.", addressRecepient.Value.AsString()); - - FormField address = form.Fields["RemittanceAddress"]; - Assert.AreEqual(1, address.ValueData.PageNumber); - Assert.AreEqual("2345 Dogwood Lane Birch, Kansas 98123", address.Value.AsString()); - - ValidatePrebuiltForm( - form, - includeFieldElements: true, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 2); - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public void StartRecognizeInvoicesThrowsForDamagedFile() - { - var client = CreateFormRecognizerClient(); - - // First 4 bytes are PDF signature, but fill the rest of the "file" with garbage. - - var damagedFile = new byte[] { 0x25, 0x50, 0x44, 0x46, 0x55, 0x55, 0x55 }; - using var stream = new MemoryStream(damagedFile); - - RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeInvoicesAsync(stream)); - Assert.AreEqual("BadArgument", ex.ErrorCode); - } - - /// - /// Verifies that the is able to connect to the Form - /// Recognizer cognitive service and handle returned errors. - /// - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public void StartRecognizeInvoicesFromUriThrowsForNonExistingContent() - { - var client = CreateFormRecognizerClient(); - var invalidUri = new Uri("https://idont.ex.ist"); - - RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeInvoicesFromUriAsync(invalidUri)); - Assert.AreEqual("FailedToDownloadImage", ex.ErrorCode); - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeInvoicesWithSupportedLocale() - { - var client = CreateFormRecognizerClient(); - var options = new RecognizeInvoicesOptions() - { - IncludeFieldElements = true, - Locale = FormRecognizerLocale.EnUS - }; - RecognizeInvoicesOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceJpg); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeInvoicesAsync(stream, options); - } - - RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); - - var invoice = recognizedForms.Single(); - - ValidatePrebuiltForm( - invoice, - includeFieldElements: true, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 1); - - Assert.Greater(invoice.Fields.Count, 0); - - var receiptPage = invoice.Pages.Single(); - - Assert.Greater(receiptPage.Lines.Count, 0); - Assert.AreEqual(0, receiptPage.SelectionMarks.Count); - Assert.AreEqual(2, receiptPage.Tables.Count); - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public void StartRecognizeInvoicesWithWrongLocale() - { - var client = CreateFormRecognizerClient(); - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceJpg); - RequestFailedException ex; - - using (Recording.DisableRequestBodyRecording()) - { - ex = Assert.ThrowsAsync(async () => await client.StartRecognizeInvoicesAsync(stream, new RecognizeInvoicesOptions() { Locale = "not-locale" })); - } - Assert.AreEqual("UnsupportedLocale", ex.ErrorCode); - } - - [RecordedTest] - [TestCase("1", 1)] - [TestCase("1-2", 2)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeInvoicesWithOnePageArgument(string pages, int expected) - { - var client = CreateFormRecognizerClient(); - RecognizeInvoicesOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeInvoicesAsync(stream, new RecognizeInvoicesOptions() { Pages = { pages } }); - } - - RecognizedFormCollection forms = await operation.WaitForCompletionAsync(); - int pageCount = forms.Sum(f => f.Pages.Count); - - Assert.AreEqual(expected, pageCount); - } - - [RecordedTest] - [TestCase("1", "3", 2)] - [TestCase("1-2", "3", 3)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeInvoicesWithMultiplePageArgument(string page1, string page2, int expected) - { - var client = CreateFormRecognizerClient(); - RecognizeInvoicesOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeInvoicesAsync(stream, new RecognizeInvoicesOptions() { Pages = { page1, page2 } }); - } - - RecognizedFormCollection forms = await operation.WaitForCompletionAsync(); - int pageCount = forms.Sum(f => f.Pages.Count); - - Assert.AreEqual(expected, pageCount); - } - - #endregion - - #region StartRecognizeIdDocuments - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeIdDocumentsCanAuthenticateWithTokenCredential() - { - var client = CreateFormRecognizerClient(useTokenCredential: true); - RecognizeIdDocumentsOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.DriverLicenseJpg); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeIdDocumentsAsync(stream); - } - - // Sanity check to make sure we got an actual response back from the service. - - RecognizedFormCollection formCollection = await operation.WaitForCompletionAsync(); - - RecognizedForm form = formCollection.Single(); - Assert.NotNull(form); - - ValidatePrebuiltForm( - form, - includeFieldElements: true, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 1); - } - - [RecordedTest] - [TestCase(true)] - [TestCase(false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(bool useStream) - { - var client = CreateFormRecognizerClient(); - RecognizeIdDocumentsOperation operation; - - if (useStream) - { - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.DriverLicenseJpg); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeIdDocumentsAsync(stream); - } - } - else - { - var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.DriverLicenseJpg); - operation = await client.StartRecognizeIdDocumentsFromUriAsync(uri); - } - - await operation.WaitForCompletionAsync(); - - Assert.IsTrue(operation.HasValue); - - var form = operation.Value.Single(); - - Assert.NotNull(form); - - // The expected values are based on the values returned by the service, and not the actual - // values present in the ID document. We are not testing the service here, but the SDK. - - Assert.AreEqual("prebuilt:idDocument:driverLicense", form.FormType); - Assert.AreEqual(1, form.PageRange.FirstPageNumber); - Assert.AreEqual(1, form.PageRange.LastPageNumber); - - Assert.NotNull(form.Fields); - - Assert.True(form.Fields.ContainsKey("Address")); - Assert.True(form.Fields.ContainsKey("Country")); - Assert.True(form.Fields.ContainsKey("DateOfBirth")); - Assert.True(form.Fields.ContainsKey("DateOfExpiration")); - Assert.True(form.Fields.ContainsKey("DocumentNumber")); - Assert.True(form.Fields.ContainsKey("FirstName")); - Assert.True(form.Fields.ContainsKey("LastName")); - Assert.True(form.Fields.ContainsKey("Region")); - Assert.True(form.Fields.ContainsKey("Sex")); - - Assert.AreEqual("123 STREET ADDRESS YOUR CITY WA 99999-1234", form.Fields["Address"].Value.AsString()); - Assert.AreEqual("LICWDLACD5DG", form.Fields["DocumentNumber"].Value.AsString()); - Assert.AreEqual("LIAM R.", form.Fields["FirstName"].Value.AsString()); - Assert.AreEqual("TALBOT", form.Fields["LastName"].Value.AsString()); - Assert.AreEqual("Washington", form.Fields["Region"].Value.AsString()); - - Assert.That(form.Fields["Country"].Value.AsCountryCode(), Is.EqualTo("USA")); - Assert.That(form.Fields["Sex"].Value.AsGender(), Is.EqualTo(FieldValueGender.M)); - - var dateOfBirth = form.Fields["DateOfBirth"].Value.AsDate(); - Assert.AreEqual(6, dateOfBirth.Day); - Assert.AreEqual(1, dateOfBirth.Month); - Assert.AreEqual(1958, dateOfBirth.Year); - - var dateOfExpiration = form.Fields["DateOfExpiration"].Value.AsDate(); - Assert.AreEqual(12, dateOfExpiration.Day); - Assert.AreEqual(8, dateOfExpiration.Month); - Assert.AreEqual(2020, dateOfExpiration.Year); - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeIdDocumentsIncludeFieldElements() - { - var client = CreateFormRecognizerClient(); - var options = new RecognizeIdDocumentsOptions() { IncludeFieldElements = true }; - RecognizeIdDocumentsOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.DriverLicenseJpg); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeIdDocumentsAsync(stream, options); - } - - RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); - - var form = recognizedForms.Single(); - - ValidatePrebuiltForm( - form, - includeFieldElements: true, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 1); - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeIdDocumentsCanParseBlankPage() - { - var client = CreateFormRecognizerClient(); - RecognizeIdDocumentsOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.Blank); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeIdDocumentsAsync(stream); - } - - RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); - - Assert.IsEmpty(recognizedForms); - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public void StartRecognizeIdDocumentsThrowsForDamagedFile() - { - var client = CreateFormRecognizerClient(); - - // First 4 bytes are PDF signature, but fill the rest of the "file" with garbage. - - var damagedFile = new byte[] { 0x25, 0x50, 0x44, 0x46, 0x55, 0x55, 0x55 }; - using var stream = new MemoryStream(damagedFile); - - RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeIdDocumentsAsync(stream)); - Assert.AreEqual("BadArgument", ex.ErrorCode); - } - - /// - /// Verifies that the is able to connect to the Form - /// Recognizer cognitive service and handle returned errors. - /// - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public void StartRecognizeIdDocumentsFromUriThrowsForNonExistingContent() - { - var client = CreateFormRecognizerClient(); - var invalidUri = new Uri("https://idont.ex.ist"); - - RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeIdDocumentsFromUriAsync(invalidUri)); - Assert.AreEqual("FailedToDownloadImage", ex.ErrorCode); - } - - #endregion - - #region StartRecognizeCustomForms - - [RecordedTest] - [TestCase(true)] - [TestCase(false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeCustomFormsCanAuthenticateWithTokenCredential(bool useTrainingLabels) - { - var client = CreateFormRecognizerClient(useTokenCredential: true); - await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels); - RecognizeCustomFormsOperation operation; - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.Form1); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream); - } - - // Sanity check to make sure we got an actual response back from the service. - - RecognizedFormCollection formPage = await operation.WaitForCompletionAsync(); - - RecognizedForm form = formPage.Single(); - Assert.NotNull(form); - - if (useTrainingLabels) - { - ValidateModelWithLabelsForm( - form, - trainedModel.ModelId, - includeFieldElements: false, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 1, - isComposedModel: false); - } - else - { - ValidateModelWithNoLabelsForm( - form, - trainedModel.ModelId, - includeFieldElements: false, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 1); - } - } - - /// - /// Verifies that the is able to connect to the Form - /// Recognizer cognitive service and perform analysis based on a custom labeled model. - /// - [RecordedTest] - [TestCase(true, true)] - [TestCase(true, false)] - [TestCase(false, true)] - [TestCase(false, false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeCustomFormsWithLabels(bool useStream, bool includeFieldElements) - { - var client = CreateFormRecognizerClient(); - var options = new RecognizeCustomFormsOptions { IncludeFieldElements = includeFieldElements }; - RecognizeCustomFormsOperation operation; - - await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: true); - - if (useStream) - { - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.Form1); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream, options); - } - } - else - { - var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.Form1); - operation = await client.StartRecognizeCustomFormsFromUriAsync(trainedModel.ModelId, uri, options); - } - - await operation.WaitForCompletionAsync(); - - Assert.IsTrue(operation.HasValue); - Assert.GreaterOrEqual(operation.Value.Count, 1); - - RecognizedForm form = operation.Value.Single(); - - ValidateModelWithLabelsForm( - form, - trainedModel.ModelId, - includeFieldElements: includeFieldElements, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 1, - isComposedModel: false); - - // Testing that we shuffle things around correctly so checking only once per property. - - Assert.IsNotEmpty(form.FormType); - Assert.IsTrue(form.FormTypeConfidence.HasValue); - Assert.AreEqual(1, form.Pages.Count); - Assert.AreEqual(2200, form.Pages[0].Height); - Assert.AreEqual(1, form.Pages[0].PageNumber); - Assert.AreEqual(LengthUnit.Pixel, form.Pages[0].Unit); - Assert.AreEqual(1700, form.Pages[0].Width); - - Assert.IsNotNull(form.Fields); - var name = "PurchaseOrderNumber"; - Assert.IsNotNull(form.Fields[name]); - Assert.AreEqual(FieldValueType.String, form.Fields[name].Value.ValueType); - Assert.AreEqual("948284", form.Fields[name].ValueData.Text); - } - - [RecordedTest] - [TestCase(true)] - [TestCase(false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeCustomFormsWithLabelsAndSelectionMarks(bool includeFieldElements) - { - var client = CreateFormRecognizerClient(); - var options = new RecognizeCustomFormsOptions { IncludeFieldElements = includeFieldElements }; - RecognizeCustomFormsOperation operation; - - await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: true, ContainerType.SelectionMarks); - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.FormSelectionMarks); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream, options); - } - - await operation.WaitForCompletionAsync(); - - Assert.IsTrue(operation.HasValue); - Assert.GreaterOrEqual(operation.Value.Count, 1); - - RecognizedForm form = operation.Value.Single(); - - ValidateRecognizedForm(form, includeFieldElements: includeFieldElements, - expectedFirstPageNumber: 1, expectedLastPageNumber: 1); - - // Testing that we shuffle things around correctly so checking only once per property. - Assert.IsNotEmpty(form.FormType); - Assert.IsNotNull(form.Fields); - var name = "AMEX_SELECTION_MARK"; - Assert.IsNotNull(form.Fields[name]); - Assert.AreEqual(FieldValueType.SelectionMark, form.Fields[name].Value.ValueType); - - // If this assertion is failing after a recent update in the generated models, please remember - // to update the manually added FieldValue_internal constructor in src/FieldValue_internal.cs if - // necessary. The service originally returns "selected" and "unselected" as lowercase strings, - // but we overwrite these values there. Consider removing this comment when: - // https://github.com/Azure/azure-sdk-for-net/issues/17814 is fixed and the manually added constructor - // is not needed anymore. - Assert.AreEqual("Selected", form.Fields[name].ValueData.Text); - } - - [RecordedTest] - [TestCase(true)] - [TestCase(false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeCustomFormsWithLabelsCanParseMultipageForm(bool useStream) - { - var client = CreateFormRecognizerClient(); - var options = new RecognizeCustomFormsOptions() { IncludeFieldElements = true }; - RecognizeCustomFormsOperation operation; - - await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: true, ContainerType.MultipageFiles); - - if (useStream) - { - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipage); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream, options); - } - } - else - { - var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.InvoiceMultipage); - operation = await client.StartRecognizeCustomFormsFromUriAsync(trainedModel.ModelId, uri, options); - } - - RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); - - var recognizedForm = recognizedForms.Single(); - - ValidateModelWithLabelsForm( - recognizedForm, - trainedModel.ModelId, - includeFieldElements: true, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 2, - isComposedModel: false); - - // Check some values to make sure that fields from both pages are being populated. - - Assert.AreEqual("Jamie@southridgevideo.com", recognizedForm.Fields["Contact"].Value.AsString()); - Assert.AreEqual("Southridge Video", recognizedForm.Fields["CompanyName"].Value.AsString()); - Assert.AreEqual("$1,500", recognizedForm.Fields["Gold"].Value.AsString()); - Assert.AreEqual("$1,000", recognizedForm.Fields["Bronze"].Value.AsString()); - - Assert.AreEqual(2, recognizedForm.Pages.Count); - - for (int pageIndex = 0; pageIndex < recognizedForm.Pages.Count; pageIndex++) - { - var formPage = recognizedForm.Pages[pageIndex]; - - // Basic sanity test to make sure pages are ordered correctly. - - var sampleLine = formPage.Lines[1]; - var expectedText = pageIndex == 0 ? "Vendor Registration" : "Vendor Details:"; - - Assert.AreEqual(expectedText, sampleLine.Text); - } - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeCustomFormsWithLabelsCanParseBlankPage() - { - var client = CreateFormRecognizerClient(); - var options = new RecognizeCustomFormsOptions() { IncludeFieldElements = true }; - RecognizeCustomFormsOperation operation; - - await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: true); - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.Blank); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream, options); - } - - RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); - - var recognizedForm = recognizedForms.Single(); - - ValidateModelWithLabelsForm( - recognizedForm, - trainedModel.ModelId, - includeFieldElements: true, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 1, - isComposedModel: false); - - var blankPage = recognizedForm.Pages.Single(); - - Assert.AreEqual(0, blankPage.Lines.Count); - Assert.AreEqual(0, blankPage.Tables.Count); - } - - [RecordedTest] - [TestCase(true)] - [TestCase(false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeCustomFormsWithLabelsCanParseMultipageFormWithBlankPage(bool useStream) - { - var client = CreateFormRecognizerClient(); - var options = new RecognizeCustomFormsOptions() { IncludeFieldElements = true }; - RecognizeCustomFormsOperation operation; - - await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: true); - - if (useStream) - { - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream, options); - } - } - else - { - var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.InvoiceMultipageBlank); - operation = await client.StartRecognizeCustomFormsFromUriAsync(trainedModel.ModelId, uri, options); - } - - RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); - - var recognizedForm = recognizedForms.Single(); - - ValidateModelWithLabelsForm( - recognizedForm, - trainedModel.ModelId, - includeFieldElements: true, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 3, - isComposedModel: false); - - for (int pageIndex = 0; pageIndex < recognizedForm.Pages.Count; pageIndex++) - { - if (pageIndex == 0 || pageIndex == 2) - { - var formPage = recognizedForm.Pages[pageIndex]; - var sampleLine = formPage.Lines[3]; - var expectedText = pageIndex == 0 ? "Bilbo Baggins" : "Frodo Baggins"; - - Assert.AreEqual(expectedText, sampleLine.Text); - } - } - - var blankPage = recognizedForm.Pages[1]; - - Assert.AreEqual(0, blankPage.Lines.Count); - Assert.AreEqual(0, blankPage.Tables.Count); - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeCustomFormsWithLabelsCanParseDifferentTypeOfForm() - { - var client = CreateFormRecognizerClient(); - RecognizeCustomFormsOperation operation; - - // Use Form_. files for training with labels. - - await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: true); - - // Attempt to recognize a different type of form: Invoice_1.pdf. This form does not contain all the labels - // the newly trained model expects. - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoicePdf); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream); - } - - RecognizedFormCollection forms = await operation.WaitForCompletionAsync(); - var fields = forms.Single().Fields; - - // Verify that we got back at least one missing field to make sure we hit the code path we want to test. - // The missing field is returned with its value set to null. - - Assert.IsTrue(fields.Values.Any(field => - field.Value.ValueType == FieldValueType.String && field.Value.AsString() == null)); - } - - /// - /// Verifies that the is able to connect to the Form - /// Recognizer cognitive service and perform analysis based on a custom labeled model. - /// - [RecordedTest] - [TestCase(true, true)] - [TestCase(true, false)] - [TestCase(false, true)] - [TestCase(false, false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeCustomFormsWithoutLabels(bool useStream, bool includeFieldElements) - { - var client = CreateFormRecognizerClient(); - var options = new RecognizeCustomFormsOptions { IncludeFieldElements = includeFieldElements }; - RecognizeCustomFormsOperation operation; - - await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: false); - - if (useStream) - { - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.Form1); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream, options); - } - } - else - { - var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.Form1); - operation = await client.StartRecognizeCustomFormsFromUriAsync(trainedModel.ModelId, uri, options); - } - - await operation.WaitForCompletionAsync(); - - Assert.IsTrue(operation.HasValue); - Assert.GreaterOrEqual(operation.Value.Count, 1); - - RecognizedForm form = operation.Value.Single(); - - ValidateModelWithNoLabelsForm( - form, - trainedModel.ModelId, - includeFieldElements: includeFieldElements, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 1); - - //testing that we shuffle things around correctly so checking only once per property - - Assert.AreEqual("form-0", form.FormType); - Assert.IsFalse(form.FormTypeConfidence.HasValue); - Assert.AreEqual(1, form.Pages.Count); - Assert.AreEqual(2200, form.Pages[0].Height); - Assert.AreEqual(1, form.Pages[0].PageNumber); - Assert.AreEqual(LengthUnit.Pixel, form.Pages[0].Unit); - Assert.AreEqual(1700, form.Pages[0].Width); - - Assert.IsNotNull(form.Fields); - var name = "field-0"; - Assert.IsNotNull(form.Fields[name]); - Assert.IsNotNull(form.Fields[name].LabelData.Text); - Assert.AreEqual(FieldValueType.String, form.Fields[name].Value.ValueType); - - // Disable this verification for now. - // Issue https://github.com/Azure/azure-sdk-for-net/issues/15075 - // Assert.AreEqual("Hero Limited", form.Fields[name].LabelData.Text); - } - - [RecordedTest] - [TestCase(true)] - [TestCase(false, Ignore = "https://github.com/Azure/azure-sdk-for-net/issues/12319")] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeCustomFormsWithoutLabelsCanParseMultipageForm(bool useStream) - { - var client = CreateFormRecognizerClient(); - var options = new RecognizeCustomFormsOptions() { IncludeFieldElements = true }; - RecognizeCustomFormsOperation operation; - - await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: false, ContainerType.MultipageFiles); - - if (useStream) - { - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipage); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream, options); - } - } - else - { - var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.InvoiceMultipage); - operation = await client.StartRecognizeCustomFormsFromUriAsync(trainedModel.ModelId, uri, options); - } - - RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); - - Assert.AreEqual(2, recognizedForms.Count); - - for (int formIndex = 0; formIndex < recognizedForms.Count; formIndex++) - { - var recognizedForm = recognizedForms[formIndex]; - var expectedPageNumber = formIndex + 1; - - ValidateModelWithNoLabelsForm( - recognizedForm, - trainedModel.ModelId, - includeFieldElements: true, - expectedFirstPageNumber: expectedPageNumber, - expectedLastPageNumber: expectedPageNumber); - } - - // Basic sanity test to make sure pages are ordered correctly. - - FormPage firstFormPage = recognizedForms[0].Pages.Single(); - FormTable firstFormTable = firstFormPage.Tables.Single(); - - Assert.True(firstFormTable.Cells.Any(c => c.Text == "Gold Sponsor")); - - FormField secondFormFieldInPage = recognizedForms[1].Fields.Values.Where(field => field.LabelData.Text.Contains("Company Name:")).FirstOrDefault(); - - Assert.IsNotNull(secondFormFieldInPage); - Assert.IsNotNull(secondFormFieldInPage.ValueData); - Assert.AreEqual("Southridge Video", secondFormFieldInPage.ValueData.Text); - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeCustomFormsWithoutLabelsCanParseBlankPage() - { - var client = CreateFormRecognizerClient(); - var options = new RecognizeCustomFormsOptions() { IncludeFieldElements = true }; - RecognizeCustomFormsOperation operation; - - await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: false); - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.Blank); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream, options); - } - - RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); - - var blankForm = recognizedForms.Single(); - - ValidateModelWithNoLabelsForm( - blankForm, - trainedModel.ModelId, - includeFieldElements: true, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 1); - - Assert.AreEqual(0, blankForm.Fields.Count); - - var blankPage = blankForm.Pages.Single(); - - Assert.AreEqual(0, blankPage.Lines.Count); - Assert.AreEqual(0, blankPage.Tables.Count); - } - - [RecordedTest] - [TestCase(true)] - [TestCase(false, Ignore = "https://github.com/Azure/azure-sdk-for-net/issues/12319")] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeCustomFormsWithoutLabelsCanParseMultipageFormWithBlankPage(bool useStream) - { - var client = CreateFormRecognizerClient(); - var options = new RecognizeCustomFormsOptions() { IncludeFieldElements = true }; - RecognizeCustomFormsOperation operation; - - await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: false); - - if (useStream) - { - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream, options); - } - } - else - { - var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.InvoiceMultipageBlank); - operation = await client.StartRecognizeCustomFormsFromUriAsync(trainedModel.ModelId, uri, options); - } - - RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); - - Assert.AreEqual(3, recognizedForms.Count); - - for (int formIndex = 0; formIndex < recognizedForms.Count; formIndex++) - { - var recognizedForm = recognizedForms[formIndex]; - var expectedPageNumber = formIndex + 1; - - ValidateModelWithNoLabelsForm( - recognizedForm, - trainedModel.ModelId, - includeFieldElements: true, - expectedFirstPageNumber: expectedPageNumber, - expectedLastPageNumber: expectedPageNumber); - - // Basic sanity test to make sure pages are ordered correctly. - - if (formIndex == 0 || formIndex == 2) - { - var expectedValueData = formIndex == 0 ? "300.00" : "3000.00"; - - FormField fieldInPage = recognizedForm.Fields.Values.Where(field => field.LabelData.Text.Contains("Subtotal:")).FirstOrDefault(); - Assert.IsNotNull(fieldInPage); - Assert.IsNotNull(fieldInPage.ValueData); - Assert.AreEqual(expectedValueData, fieldInPage.ValueData.Text); - } - } - - var blankForm = recognizedForms[1]; - - Assert.AreEqual(0, blankForm.Fields.Count); - - var blankPage = blankForm.Pages.Single(); - - Assert.AreEqual(0, blankPage.Lines.Count); - Assert.AreEqual(0, blankPage.Tables.Count); - } - - [RecordedTest] - [TestCase(true)] - [TestCase(false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeCustomFormsThrowsForDamagedFile(bool useTrainingLabels) - { - var client = CreateFormRecognizerClient(); - - // First 4 bytes are PDF signature, but fill the rest of the "file" with garbage. - - var damagedFile = new byte[] { 0x25, 0x50, 0x44, 0x46, 0x55, 0x55, 0x55 }; - using var stream = new MemoryStream(damagedFile); - - await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels); - - RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream)); - Assert.AreEqual("1000", ex.ErrorCode); - } - - /// - /// Verifies that the is able to connect to the Form - /// Recognizer cognitive service and handle returned errors. - /// - [RecordedTest] - [TestCase(true)] - [TestCase(false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeCustomFormsFromUriThrowsForNonExistingContent(bool useTrainingLabels) - { - var client = CreateFormRecognizerClient(); - var invalidUri = new Uri("https://idont.ex.ist"); - - await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels); - - var operation = await client.StartRecognizeCustomFormsFromUriAsync(trainedModel.ModelId, invalidUri); - - RequestFailedException ex = Assert.ThrowsAsync(async () => await operation.WaitForCompletionAsync()); - - Assert.AreEqual("2003", ex.ErrorCode); - Assert.True(operation.HasCompleted); - Assert.False(operation.HasValue); - } - - [RecordedTest] - [TestCase("1", 1)] - [TestCase("1-2", 2)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeCustomFormsWithOnePageArgument(string pages, int expected) - { - var client = CreateFormRecognizerClient(); - RecognizeCustomFormsOperation operation; - - await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: false, ContainerType.MultipageFiles); - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream, new RecognizeCustomFormsOptions() { Pages = { pages } }); - } - - RecognizedFormCollection forms = await operation.WaitForCompletionAsync(); - - Assert.AreEqual(expected, forms.Count); - } - - [RecordedTest] - [TestCase("1", "3", 2)] - [TestCase("1-2", "3", 3)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeCustomFormsWithMultiplePageArgument(string page1, string page2, int expected) - { - var client = CreateFormRecognizerClient(); - RecognizeCustomFormsOperation operation; - - await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: false, ContainerType.MultipageFiles); - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream, new RecognizeCustomFormsOptions() { Pages = { page1, page2 } }); - } - - RecognizedFormCollection forms = await operation.WaitForCompletionAsync(); - - Assert.AreEqual(expected, forms.Count); - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeCustomFormsWithTableVariableRows() - { - var client = CreateFormRecognizerClient(); - RecognizeCustomFormsOperation operation; - - await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: true, ContainerType.TableVariableRows); - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.FormTableVariableRows); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream); - } - - RecognizedFormCollection forms = await operation.WaitForCompletionAsync(); - - RecognizedForm form = forms.Single(); - - ValidateModelWithLabelsForm( - form, - trainedModel.ModelId, - includeFieldElements: false, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 1, - isComposedModel: false); - } - - [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task StartRecognizeCustomFormsWithTableFixedRows() - { - var client = CreateFormRecognizerClient(); - RecognizeCustomFormsOperation operation; - - await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: true, ContainerType.TableFixedRows); - - using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.FormTableFixedRows); - using (Recording.DisableRequestBodyRecording()) - { - operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream); - } - - RecognizedFormCollection forms = await operation.WaitForCompletionAsync(); - - RecognizedForm form = forms.Single(); - - ValidateModelWithLabelsForm( - form, - trainedModel.ModelId, - includeFieldElements: false, - expectedFirstPageNumber: 1, - expectedLastPageNumber: 1, - isComposedModel: false); - } - - #endregion - - private void ValidateFormPage(FormPage formPage, bool includeFieldElements, int expectedPageNumber) - { - Assert.AreEqual(expectedPageNumber, formPage.PageNumber); - - Assert.Greater(formPage.Width, 0.0); - Assert.Greater(formPage.Height, 0.0); - - Assert.That(formPage.TextAngle, Is.GreaterThan(-180.0).Within(0.01)); - Assert.That(formPage.TextAngle, Is.LessThanOrEqualTo(180.0).Within(0.01)); - - Assert.NotNull(formPage.Lines); - - if (!includeFieldElements) - { - Assert.AreEqual(0, formPage.Lines.Count); - } - - foreach (var line in formPage.Lines) - { - Assert.AreEqual(expectedPageNumber, line.PageNumber); - Assert.NotNull(line.BoundingBox.Points); - Assert.AreEqual(4, line.BoundingBox.Points.Length); - Assert.NotNull(line.Text); - - if (line.Appearance != null) - { - Assert.IsNotNull(line.Appearance.Style); - Assert.IsTrue(line.Appearance.Style.Name == TextStyleName.Handwriting || line.Appearance.Style.Name == TextStyleName.Other); - Assert.Greater(line.Appearance.Style.Confidence, 0f); - } - - Assert.NotNull(line.Words); - Assert.Greater(line.Words.Count, 0); - - foreach (var word in line.Words) - { - Assert.AreEqual(expectedPageNumber, word.PageNumber); - Assert.NotNull(word.BoundingBox.Points); - Assert.AreEqual(4, word.BoundingBox.Points.Length); - Assert.NotNull(word.Text); - - Assert.That(word.Confidence, Is.GreaterThanOrEqualTo(0.0).Within(0.01)); - Assert.That(word.Confidence, Is.LessThanOrEqualTo(1.0).Within(0.01)); - } - } - - Assert.NotNull(formPage.Tables); - - foreach (var table in formPage.Tables) - { - Assert.AreEqual(expectedPageNumber, table.PageNumber); - Assert.Greater(table.ColumnCount, 0); - Assert.Greater(table.RowCount, 0); - Assert.AreEqual(4, table.BoundingBox.Points.Count()); - - Assert.NotNull(table.Cells); - - foreach (var cell in table.Cells) - { - Assert.AreEqual(expectedPageNumber, cell.PageNumber); - Assert.NotNull(cell.BoundingBox.Points); - Assert.AreEqual(4, cell.BoundingBox.Points.Length); - - Assert.GreaterOrEqual(cell.ColumnIndex, 0); - Assert.GreaterOrEqual(cell.RowIndex, 0); - Assert.GreaterOrEqual(cell.ColumnSpan, 1); - Assert.GreaterOrEqual(cell.RowSpan, 1); - - Assert.That(cell.Confidence, Is.GreaterThanOrEqualTo(0.0).Within(0.01)); - Assert.That(cell.Confidence, Is.LessThanOrEqualTo(1.0).Within(0.01)); - - Assert.NotNull(cell.Text); - Assert.NotNull(cell.FieldElements); - - if (!includeFieldElements) - { - Assert.AreEqual(0, cell.FieldElements.Count); - } - - foreach (var element in cell.FieldElements) - { - Assert.AreEqual(expectedPageNumber, element.PageNumber); - Assert.NotNull(element.BoundingBox.Points); - Assert.AreEqual(4, element.BoundingBox.Points.Length); - - Assert.NotNull(element.Text); - Assert.True(element is FormWord || element is FormLine); - } - } - } - - Assert.NotNull(formPage.SelectionMarks); - - foreach (var selectionMark in formPage.SelectionMarks) - { - Assert.AreEqual(expectedPageNumber, selectionMark.PageNumber); - Assert.NotNull(selectionMark.BoundingBox.Points); - Assert.AreEqual(4, selectionMark.BoundingBox.Points.Length); - Assert.IsNull(selectionMark.Text); - Assert.NotNull(selectionMark.State); - Assert.That(selectionMark.Confidence, Is.GreaterThanOrEqualTo(0.0).Within(0.01)); - Assert.That(selectionMark.Confidence, Is.LessThanOrEqualTo(1.0).Within(0.01)); - } - } - - private void ValidatePrebuiltForm(RecognizedForm recognizedForm, bool includeFieldElements, int expectedFirstPageNumber, int expectedLastPageNumber) - { - Assert.NotNull(recognizedForm.FormType); - Assert.IsTrue(recognizedForm.FormTypeConfidence.HasValue); - Assert.That(recognizedForm.FormTypeConfidence.Value, Is.LessThanOrEqualTo(1.0).Within(0.005)); - Assert.IsNull(recognizedForm.ModelId); - - ValidateRecognizedForm(recognizedForm, includeFieldElements, expectedFirstPageNumber, expectedLastPageNumber); - } - - private void ValidateModelWithNoLabelsForm(RecognizedForm recognizedForm, string modelId, bool includeFieldElements, int expectedFirstPageNumber, int expectedLastPageNumber) - { - Assert.NotNull(recognizedForm.FormType); - Assert.IsFalse(recognizedForm.FormTypeConfidence.HasValue); - Assert.IsNotNull(recognizedForm.ModelId); - Assert.AreEqual(modelId, recognizedForm.ModelId); - - ValidateRecognizedForm(recognizedForm, includeFieldElements, expectedFirstPageNumber, expectedLastPageNumber); - } - - private void ValidateModelWithLabelsForm(RecognizedForm recognizedForm, string modelId, bool includeFieldElements, int expectedFirstPageNumber, int expectedLastPageNumber, bool isComposedModel) - { - Assert.NotNull(recognizedForm.FormType); - Assert.IsTrue(recognizedForm.FormTypeConfidence.HasValue); - Assert.IsNotNull(recognizedForm.ModelId); - - if (!isComposedModel) - Assert.AreEqual(modelId, recognizedForm.ModelId); - else - Assert.AreNotEqual(modelId, recognizedForm.ModelId); - - ValidateRecognizedForm(recognizedForm, includeFieldElements, expectedFirstPageNumber, expectedLastPageNumber); - } - - private void ValidateRecognizedForm(RecognizedForm recognizedForm, bool includeFieldElements, int expectedFirstPageNumber, int expectedLastPageNumber) - { - Assert.AreEqual(expectedFirstPageNumber, recognizedForm.PageRange.FirstPageNumber); - Assert.AreEqual(expectedLastPageNumber, recognizedForm.PageRange.LastPageNumber); - - Assert.NotNull(recognizedForm.Pages); - Assert.AreEqual(expectedLastPageNumber - expectedFirstPageNumber + 1, recognizedForm.Pages.Count); - - int expectedPageNumber = expectedFirstPageNumber; - - for (int pageIndex = 0; pageIndex < recognizedForm.Pages.Count; pageIndex++) - { - var formPage = recognizedForm.Pages[pageIndex]; - ValidateFormPage(formPage, includeFieldElements, expectedPageNumber); - - expectedPageNumber++; - } - - Assert.NotNull(recognizedForm.Fields); - - foreach (var field in recognizedForm.Fields.Values) - { - if (field == null) - { - continue; - } - - Assert.NotNull(field.Name); - - Assert.That(field.Confidence, Is.GreaterThanOrEqualTo(0.0).Within(0.01)); - Assert.That(field.Confidence, Is.LessThanOrEqualTo(1.0).Within(0.01)); - - ValidateFieldData(field.LabelData, includeFieldElements); - ValidateFieldData(field.ValueData, includeFieldElements); - } - } - - private void ValidateFieldData(FieldData fieldData, bool includeFieldElements) - { - if (fieldData == null) - { - return; - } - - Assert.Greater(fieldData.PageNumber, 0); - - Assert.NotNull(fieldData.BoundingBox.Points); - - if (fieldData.BoundingBox.Points.Length != 0) - { - Assert.AreEqual(4, fieldData.BoundingBox.Points.Length); - } - - Assert.NotNull(fieldData.Text); - Assert.NotNull(fieldData.FieldElements); - - if (!includeFieldElements) - { - Assert.AreEqual(0, fieldData.FieldElements.Count); - } - } } } diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeBusinessCardsLiveTests.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeBusinessCardsLiveTests.cs new file mode 100644 index 000000000000..99d2f0ea5cf0 --- /dev/null +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeBusinessCardsLiveTests.cs @@ -0,0 +1,505 @@ +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License. + +using System; +using System.IO; +using System.Linq; +using System.Threading.Tasks; +using Azure.AI.FormRecognizer.Models; +using Azure.Core.TestFramework; +using NUnit.Framework; + +/// +/// The suite of tests for the `StartRecognizeBusinessCards` methods in the class. +/// +/// +/// These tests have a dependency on live Azure services and may incur costs for the associated +/// Azure subscription. +/// +namespace Azure.AI.FormRecognizer.Tests +{ + [ClientTestFixture(FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + + public class RecognizeBusinessCardsLiveTests : FormRecognizerLiveTestBase + { + public RecognizeBusinessCardsLiveTests(bool isAsync, FormRecognizerClientOptions.ServiceVersion serviceVersion) + : base(isAsync, serviceVersion) + { + } + + [RecordedTest] + public async Task StartRecognizeBusinessCardsCanAuthenticateWithTokenCredential() + { + var client = CreateFormRecognizerClient(useTokenCredential: true); + RecognizeBusinessCardsOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.BusinessCardJpg); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeBusinessCardsAsync(stream); + } + + // Sanity check to make sure we got an actual response back from the service. + + RecognizedFormCollection formPage = await operation.WaitForCompletionAsync(); + + RecognizedForm form = formPage.Single(); + Assert.NotNull(form); + + ValidatePrebuiltForm( + form, + includeFieldElements: true, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 1); + } + + [RecordedTest] + [TestCase(true)] + [TestCase(false)] + public async Task StartRecognizeBusinessCardsPopulatesExtractedJpg(bool useStream) + { + var client = CreateFormRecognizerClient(); + RecognizeBusinessCardsOperation operation; + + if (useStream) + { + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.BusinessCardJpg); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeBusinessCardsAsync(stream); + } + } + else + { + var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.BusinessCardJpg); + operation = await client.StartRecognizeBusinessCardsFromUriAsync(uri); + } + + await operation.WaitForCompletionAsync(); + + Assert.IsTrue(operation.HasValue); + + var form = operation.Value.Single(); + + Assert.NotNull(form); + + ValidatePrebuiltForm( + form, + includeFieldElements: true, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 1); + + // The expected values are based on the values returned by the service, and not the actual + // values present in the business card. We are not testing the service here, but the SDK. + + Assert.AreEqual("prebuilt:businesscard", form.FormType); + Assert.AreEqual(1, form.PageRange.FirstPageNumber); + Assert.AreEqual(1, form.PageRange.LastPageNumber); + + Assert.NotNull(form.Fields); + + Assert.True(form.Fields.ContainsKey("ContactNames")); + Assert.True(form.Fields.ContainsKey("JobTitles")); + Assert.True(form.Fields.ContainsKey("Departments")); + Assert.True(form.Fields.ContainsKey("Emails")); + Assert.True(form.Fields.ContainsKey("Websites")); + Assert.True(form.Fields.ContainsKey("MobilePhones")); + Assert.True(form.Fields.ContainsKey("WorkPhones")); + Assert.True(form.Fields.ContainsKey("Faxes")); + Assert.True(form.Fields.ContainsKey("Addresses")); + Assert.True(form.Fields.ContainsKey("CompanyNames")); + + var contactNames = form.Fields["ContactNames"].Value.AsList(); + Assert.AreEqual(1, contactNames.Count); + Assert.AreEqual("Dr. Avery Smith", contactNames.FirstOrDefault().ValueData.Text); + Assert.AreEqual(1, contactNames.FirstOrDefault().ValueData.PageNumber); + + var contactNamesDict = contactNames.FirstOrDefault().Value.AsDictionary(); + + Assert.True(contactNamesDict.ContainsKey("FirstName")); + Assert.AreEqual("Avery", contactNamesDict["FirstName"].Value.AsString()); + + Assert.True(contactNamesDict.ContainsKey("LastName")); + Assert.AreEqual("Smith", contactNamesDict["LastName"].Value.AsString()); + + var jobTitles = form.Fields["JobTitles"].Value.AsList(); + Assert.AreEqual(1, jobTitles.Count); + Assert.AreEqual("Senior Researcher", jobTitles.FirstOrDefault().Value.AsString()); + + var departments = form.Fields["Departments"].Value.AsList(); + Assert.AreEqual(1, departments.Count); + Assert.AreEqual("Cloud & Al Department", departments.FirstOrDefault().Value.AsString()); + + var emails = form.Fields["Emails"].Value.AsList(); + Assert.AreEqual(1, emails.Count); + Assert.AreEqual("avery.smith@contoso.com", emails.FirstOrDefault().Value.AsString()); + + var websites = form.Fields["Websites"].Value.AsList(); + Assert.AreEqual(1, websites.Count); + Assert.AreEqual("https://www.contoso.com/", websites.FirstOrDefault().Value.AsString()); + + // Update validation when https://github.com/Azure/azure-sdk-for-python/issues/14300 is fixed + var mobilePhones = form.Fields["MobilePhones"].Value.AsList(); + Assert.AreEqual(1, mobilePhones.Count); + Assert.AreEqual(FieldValueType.PhoneNumber, mobilePhones.FirstOrDefault().Value.ValueType); + + var otherPhones = form.Fields["WorkPhones"].Value.AsList(); + Assert.AreEqual(1, otherPhones.Count); + Assert.AreEqual(FieldValueType.PhoneNumber, otherPhones.FirstOrDefault().Value.ValueType); + + var faxes = form.Fields["Faxes"].Value.AsList(); + Assert.AreEqual(1, faxes.Count); + Assert.AreEqual(FieldValueType.PhoneNumber, faxes.FirstOrDefault().Value.ValueType); + + var addresses = form.Fields["Addresses"].Value.AsList(); + Assert.AreEqual(1, addresses.Count); + Assert.AreEqual("2 Kingdom Street Paddington, London, W2 6BD", addresses.FirstOrDefault().Value.AsString()); + + var companyNames = form.Fields["CompanyNames"].Value.AsList(); + Assert.AreEqual(1, companyNames.Count); + Assert.AreEqual("Contoso", companyNames.FirstOrDefault().Value.AsString()); + } + + [RecordedTest] + [TestCase(true)] + [TestCase(false)] + public async Task StartRecognizeBusinessCardsPopulatesExtractedPng(bool useStream) + { + var client = CreateFormRecognizerClient(); + RecognizeBusinessCardsOperation operation; + + if (useStream) + { + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.BusinessCardJpg); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeBusinessCardsAsync(stream); + } + } + else + { + var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.BusinessCardtPng); + operation = await client.StartRecognizeBusinessCardsFromUriAsync(uri); + } + + await operation.WaitForCompletionAsync(); + + Assert.IsTrue(operation.HasValue); + + var form = operation.Value.Single(); + + Assert.NotNull(form); + + ValidatePrebuiltForm( + form, + includeFieldElements: true, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 1); + + // The expected values are based on the values returned by the service, and not the actual + // values present in the business card. We are not testing the service here, but the SDK. + + Assert.AreEqual("prebuilt:businesscard", form.FormType); + Assert.AreEqual(1, form.PageRange.FirstPageNumber); + Assert.AreEqual(1, form.PageRange.LastPageNumber); + + Assert.NotNull(form.Fields); + + Assert.True(form.Fields.ContainsKey("ContactNames")); + Assert.True(form.Fields.ContainsKey("JobTitles")); + Assert.True(form.Fields.ContainsKey("Departments")); + Assert.True(form.Fields.ContainsKey("Emails")); + Assert.True(form.Fields.ContainsKey("Websites")); + Assert.True(form.Fields.ContainsKey("MobilePhones")); + Assert.True(form.Fields.ContainsKey("WorkPhones")); + Assert.True(form.Fields.ContainsKey("Faxes")); + Assert.True(form.Fields.ContainsKey("Addresses")); + Assert.True(form.Fields.ContainsKey("CompanyNames")); + + var contactNames = form.Fields["ContactNames"].Value.AsList(); + Assert.AreEqual(1, contactNames.Count); + Assert.AreEqual("Dr. Avery Smith", contactNames.FirstOrDefault().ValueData.Text); + Assert.AreEqual(1, contactNames.FirstOrDefault().ValueData.PageNumber); + + var contactNamesDict = contactNames.FirstOrDefault().Value.AsDictionary(); + + Assert.True(contactNamesDict.ContainsKey("FirstName")); + Assert.AreEqual("Avery", contactNamesDict["FirstName"].Value.AsString()); + + Assert.True(contactNamesDict.ContainsKey("LastName")); + Assert.AreEqual("Smith", contactNamesDict["LastName"].Value.AsString()); + + var jobTitles = form.Fields["JobTitles"].Value.AsList(); + Assert.AreEqual(1, jobTitles.Count); + Assert.AreEqual("Senior Researcher", jobTitles.FirstOrDefault().Value.AsString()); + + var departments = form.Fields["Departments"].Value.AsList(); + Assert.AreEqual(1, departments.Count); + Assert.AreEqual("Cloud & Al Department", departments.FirstOrDefault().Value.AsString()); + + var emails = form.Fields["Emails"].Value.AsList(); + Assert.AreEqual(1, emails.Count); + Assert.AreEqual("avery.smith@contoso.com", emails.FirstOrDefault().Value.AsString()); + + var websites = form.Fields["Websites"].Value.AsList(); + Assert.AreEqual(1, websites.Count); + Assert.AreEqual("https://www.contoso.com/", websites.FirstOrDefault().Value.AsString()); + + // Update validation when https://github.com/Azure/azure-sdk-for-python/issues/14300 is fixed + var mobilePhones = form.Fields["MobilePhones"].Value.AsList(); + Assert.AreEqual(1, mobilePhones.Count); + Assert.AreEqual(FieldValueType.PhoneNumber, mobilePhones.FirstOrDefault().Value.ValueType); + + var otherPhones = form.Fields["WorkPhones"].Value.AsList(); + Assert.AreEqual(1, otherPhones.Count); + Assert.AreEqual(FieldValueType.PhoneNumber, otherPhones.FirstOrDefault().Value.ValueType); + + var faxes = form.Fields["Faxes"].Value.AsList(); + Assert.AreEqual(1, faxes.Count); + Assert.AreEqual(FieldValueType.PhoneNumber, faxes.FirstOrDefault().Value.ValueType); + + var addresses = form.Fields["Addresses"].Value.AsList(); + Assert.AreEqual(1, addresses.Count); + Assert.AreEqual("2 Kingdom Street Paddington, London, W2 6BD", addresses.FirstOrDefault().Value.AsString()); + + var companyNames = form.Fields["CompanyNames"].Value.AsList(); + Assert.AreEqual(1, companyNames.Count); + Assert.AreEqual("Contoso", companyNames.FirstOrDefault().Value.AsString()); + } + + [RecordedTest] + public async Task StartRecognizeBusinessCardsIncludeFieldElements() + { + var client = CreateFormRecognizerClient(); + var options = new RecognizeBusinessCardsOptions() { IncludeFieldElements = true }; + RecognizeBusinessCardsOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.BusinessCardJpg); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeBusinessCardsAsync(stream, options); + } + + RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); + + var businessCardsForm = recognizedForms.Single(); + + ValidatePrebuiltForm( + businessCardsForm, + includeFieldElements: true, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 1); + } + + [RecordedTest] + public async Task StartRecognizeBusinessCardsCanParseBlankPage() + { + var client = CreateFormRecognizerClient(); + var options = new RecognizeBusinessCardsOptions() { IncludeFieldElements = true }; + RecognizeBusinessCardsOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.Blank); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeBusinessCardsAsync(stream, options); + } + + RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); + + var blankForm = recognizedForms.Single(); + + ValidatePrebuiltForm( + blankForm, + includeFieldElements: true, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 1); + + Assert.AreEqual(0, blankForm.Fields.Count); + + var blankPage = blankForm.Pages.Single(); + + Assert.AreEqual(0, blankPage.Lines.Count); + Assert.AreEqual(0, blankPage.Tables.Count); + Assert.AreEqual(0, blankPage.SelectionMarks.Count); + } + + [RecordedTest] + public void StartRecognizeBusinessCardsThrowsForDamagedFile() + { + var client = CreateFormRecognizerClient(); + + // First 4 bytes are PDF signature, but fill the rest of the "file" with garbage. + + var damagedFile = new byte[] { 0x25, 0x50, 0x44, 0x46, 0x55, 0x55, 0x55 }; + using var stream = new MemoryStream(damagedFile); + + RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeBusinessCardsAsync(stream)); + Assert.AreEqual("BadArgument", ex.ErrorCode); + } + + /// + /// Verifies that the is able to connect to the Form + /// Recognizer cognitive service and handle returned errors. + /// + [RecordedTest] + public void StartRecognizeBusinessCardsFromUriThrowsForNonExistingContent() + { + var client = CreateFormRecognizerClient(); + var invalidUri = new Uri("https://idont.ex.ist"); + + RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeBusinessCardsFromUriAsync(invalidUri)); + Assert.AreEqual("FailedToDownloadImage", ex.ErrorCode); + } + + [RecordedTest] + [TestCase(true)] + [TestCase(false)] + public async Task StartRecognizeBusinessCardsCanParseMultipageForm(bool useStream) + { + var client = CreateFormRecognizerClient(); + var options = new RecognizeBusinessCardsOptions() { IncludeFieldElements = true }; + RecognizeBusinessCardsOperation operation; + + if (useStream) + { + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.BusinessMultipage); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeBusinessCardsAsync(stream, options); + } + } + else + { + var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.BusinessMultipage); + operation = await client.StartRecognizeBusinessCardsFromUriAsync(uri, options); + } + + RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); + + Assert.AreEqual(2, recognizedForms.Count); + + for (int formIndex = 0; formIndex < recognizedForms.Count; formIndex++) + { + var recognizedForm = recognizedForms[formIndex]; + var expectedPageNumber = formIndex + 1; + + Assert.NotNull(recognizedForm); + + ValidatePrebuiltForm( + recognizedForm, + includeFieldElements: true, + expectedFirstPageNumber: expectedPageNumber, + expectedLastPageNumber: expectedPageNumber); + + // Basic sanity test to make sure pages are ordered correctly. + Assert.IsTrue(recognizedForm.Fields.ContainsKey("Emails")); + FormField sampleFields = recognizedForm.Fields["Emails"]; + Assert.AreEqual(FieldValueType.List, sampleFields.Value.ValueType); + var field = sampleFields.Value.AsList().Single(); + + if (formIndex == 0) + { + Assert.AreEqual("johnsinger@contoso.com", field.ValueData.Text); + } + else if (formIndex == 1) + { + Assert.AreEqual("avery.smith@contoso.com", field.ValueData.Text); + } + + // Check for ContactNames.Page value + Assert.IsTrue(recognizedForm.Fields.ContainsKey("ContactNames")); + FormField contactNameField = recognizedForm.Fields["ContactNames"].Value.AsList().Single(); + Assert.AreEqual(formIndex + 1, contactNameField.ValueData.PageNumber); + } + } + + [RecordedTest] + public async Task StartRecognizeBusinessCardsWithSupportedLocale() + { + var client = CreateFormRecognizerClient(); + var options = new RecognizeBusinessCardsOptions() + { + IncludeFieldElements = true, + Locale = FormRecognizerLocale.EnUS + }; + RecognizeBusinessCardsOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.BusinessCardJpg); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeBusinessCardsAsync(stream, options); + } + + RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); + + var businessCard = recognizedForms.Single(); + + ValidatePrebuiltForm( + businessCard, + includeFieldElements: true, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 1); + + Assert.Greater(businessCard.Fields.Count, 0); + + var businessCardPage = businessCard.Pages.Single(); + + Assert.Greater(businessCardPage.Lines.Count, 0); + Assert.AreEqual(0, businessCardPage.SelectionMarks.Count); + Assert.AreEqual(0, businessCardPage.Tables.Count); + } + + [RecordedTest] + public void StartRecognizeBusinessCardsWithWrongLocale() + { + var client = CreateFormRecognizerClient(); + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.BusinessCardJpg); + RequestFailedException ex; + + using (Recording.DisableRequestBodyRecording()) + { + ex = Assert.ThrowsAsync(async () => await client.StartRecognizeBusinessCardsAsync(stream, new RecognizeBusinessCardsOptions() { Locale = "not-locale" })); + } + Assert.AreEqual("UnsupportedLocale", ex.ErrorCode); + } + + [RecordedTest] + [TestCase("1", 1)] + [TestCase("1-2", 2)] + public async Task StartRecognizeBusinessCardsWithOnePageArgument(string pages, int expected) + { + var client = CreateFormRecognizerClient(); + RecognizeBusinessCardsOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeBusinessCardsAsync(stream, new RecognizeBusinessCardsOptions() { Pages = { pages } }); + } + + RecognizedFormCollection forms = await operation.WaitForCompletionAsync(); + + Assert.AreEqual(expected, forms.Count); + } + + [RecordedTest] + [TestCase("1", "3", 2)] + [TestCase("1-2", "3", 3)] + public async Task StartRecognizeBusinessCardsWithMultiplePageArgument(string page1, string page2, int expected) + { + var client = CreateFormRecognizerClient(); + RecognizeBusinessCardsOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeBusinessCardsAsync(stream, new RecognizeBusinessCardsOptions() { Pages = { page1, page2 } }); + } + + RecognizedFormCollection forms = await operation.WaitForCompletionAsync(); + + Assert.AreEqual(expected, forms.Count); + } + } +} diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeContentLiveTests.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeContentLiveTests.cs new file mode 100644 index 000000000000..e5eaa3b31367 --- /dev/null +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeContentLiveTests.cs @@ -0,0 +1,542 @@ +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License. + +using System; +using System.IO; +using System.Linq; +using System.Threading.Tasks; +using Azure.AI.FormRecognizer.Models; +using Azure.Core.TestFramework; +using NUnit.Framework; + +/// +/// The suite of tests for the `StartRecognizeContent` methods in the class. +/// +/// +/// These tests have a dependency on live Azure services and may incur costs for the associated +/// Azure subscription. +/// +namespace Azure.AI.FormRecognizer.Tests +{ + public class RecognizeContentLiveTests : FormRecognizerLiveTestBase + { + public RecognizeContentLiveTests(bool isAsync, FormRecognizerClientOptions.ServiceVersion serviceVersion) + : base(isAsync, serviceVersion) + { + } + + [RecordedTest] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeContentCanAuthenticateWithTokenCredential() + { + var client = CreateFormRecognizerClient(useTokenCredential: true); + RecognizeContentOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.ReceiptJpg); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeContentAsync(stream); + } + + // Sanity check to make sure we got an actual response back from the service. + + FormPageCollection formPages = await operation.WaitForCompletionAsync(); + var formPage = formPages.Single(); + + Assert.Greater(formPage.Lines.Count, 0); + Assert.AreEqual("Contoso", formPage.Lines[0].Text); + } + + /// + /// Verifies that the is able to connect to the Form + /// Recognizer cognitive service and perform operations. + /// + [RecordedTest] + [TestCase(true)] + [TestCase(false)] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeContentPopulatesFormPagePdf(bool useStream) + { + var client = CreateFormRecognizerClient(); + RecognizeContentOperation operation; + + if (useStream) + { + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoicePdf); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeContentAsync(stream); + } + } + else + { + var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.InvoicePdf); + operation = await client.StartRecognizeContentFromUriAsync(uri); + } + + await operation.WaitForCompletionAsync(); + Assert.IsTrue(operation.HasValue); + + var formPage = operation.Value.Single(); + + // The expected values are based on the values returned by the service, and not the actual + // values present in the form. We are not testing the service here, but the SDK. + + Assert.AreEqual(LengthUnit.Inch, formPage.Unit); + Assert.AreEqual(8.5, formPage.Width); + Assert.AreEqual(11, formPage.Height); + Assert.AreEqual(0, formPage.TextAngle); + Assert.AreEqual(18, formPage.Lines.Count); + + var lines = formPage.Lines.ToList(); + + for (var lineIndex = 0; lineIndex < lines.Count; lineIndex++) + { + var line = lines[lineIndex]; + + Assert.NotNull(line.Text, $"Text should not be null in line {lineIndex}."); + Assert.AreEqual(4, line.BoundingBox.Points.Count(), $"There should be exactly 4 points in the bounding box in line {lineIndex}."); + Assert.Greater(line.Words.Count, 0, $"There should be at least one word in line {lineIndex}."); + foreach (var item in line.Words) + { + Assert.GreaterOrEqual(item.Confidence, 0); + } + + Assert.IsNotNull(line.Appearance); + Assert.IsNotNull(line.Appearance.Style); + Assert.AreEqual(TextStyleName.Other, line.Appearance.Style.Name); + Assert.Greater(line.Appearance.Style.Confidence, 0f); + } + + var table = formPage.Tables.Single(); + + Assert.AreEqual(3, table.RowCount); + Assert.AreEqual(6, table.ColumnCount); + Assert.AreEqual(4, table.BoundingBox.Points.Count(), $"There should be exactly 4 points in the table bounding box."); + + var cells = table.Cells.ToList(); + + Assert.AreEqual(11, cells.Count); + + var expectedText = new string[2, 6] + { + { "Invoice Number", "Invoice Date", "Invoice Due Date", "Charges", "", "VAT ID" }, + { "34278587", "6/18/2017", "6/24/2017", "$56,651.49", "", "PT" } + }; + + foreach (var cell in cells) + { + Assert.GreaterOrEqual(cell.RowIndex, 0, $"Cell with text {cell.Text} should have row index greater than or equal to zero."); + Assert.Less(cell.RowIndex, table.RowCount, $"Cell with text {cell.Text} should have row index less than {table.RowCount}."); + Assert.GreaterOrEqual(cell.ColumnIndex, 0, $"Cell with text {cell.Text} should have column index greater than or equal to zero."); + Assert.Less(cell.ColumnIndex, table.ColumnCount, $"Cell with text {cell.Text} should have column index less than {table.ColumnCount}."); + + // Column = 3 has a column span of 2. + var expectedColumnSpan = cell.ColumnIndex == 3 ? 2 : 1; + Assert.AreEqual(expectedColumnSpan, cell.ColumnSpan, $"Cell with text {cell.Text} should have a column span of {expectedColumnSpan}."); + + // Row = 1 and columns 0-4 have a row span of 2. + var expectedRowSpan = (cell.RowIndex == 1 && cell.ColumnIndex != 5) ? 2 : 1; + Assert.AreEqual(expectedRowSpan, cell.RowSpan, $"Cell with text {cell.Text} should have a row span of {expectedRowSpan}."); + + Assert.IsFalse(cell.IsFooter, $"Cell with text {cell.Text} should not have been classified as footer."); + Assert.IsFalse(cell.IsHeader, $"Cell with text {cell.Text} should not have been classified as header."); + + Assert.GreaterOrEqual(cell.Confidence, 0, $"Cell with text {cell.Text} should have confidence greater or equal to zero."); + Assert.LessOrEqual(cell.RowIndex, 2, $"Cell with text {cell.Text} should have a row index less than or equal to two."); + + // row = 2, column = 5 has empty text and no elements + if (cell.RowIndex == 2 && cell.ColumnIndex == 5) + { + Assert.IsEmpty(cell.Text); + Assert.AreEqual(0, cell.FieldElements.Count); + } + else + { + Assert.AreEqual(expectedText[cell.RowIndex, cell.ColumnIndex], cell.Text); + Assert.Greater(cell.FieldElements.Count, 0, $"Cell with text {cell.Text} should have at least one field element."); + } + } + } + + [RecordedTest] + [TestCase(true)] + [TestCase(false)] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeContentPopulatesFormPageJpg(bool useStream) + { + var client = CreateFormRecognizerClient(); + RecognizeContentOperation operation; + + if (useStream) + { + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.Form1); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeContentAsync(stream); + } + } + else + { + var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.Form1); + operation = await client.StartRecognizeContentFromUriAsync(uri); + } + + await operation.WaitForCompletionAsync(); + Assert.IsTrue(operation.HasValue); + + var formPage = operation.Value.Single(); + + // The expected values are based on the values returned by the service, and not the actual + // values present in the form. We are not testing the service here, but the SDK. + + Assert.AreEqual(LengthUnit.Pixel, formPage.Unit); + Assert.AreEqual(1700, formPage.Width); + Assert.AreEqual(2200, formPage.Height); + Assert.AreEqual(0, formPage.TextAngle); + Assert.AreEqual(54, formPage.Lines.Count); + + var lines = formPage.Lines.ToList(); + + for (var lineIndex = 0; lineIndex < lines.Count; lineIndex++) + { + var line = lines[lineIndex]; + + Assert.NotNull(line.Text, $"Text should not be null in line {lineIndex}."); + Assert.AreEqual(4, line.BoundingBox.Points.Count(), $"There should be exactly 4 points in the bounding box in line {lineIndex}."); + Assert.Greater(line.Words.Count, 0, $"There should be at least one word in line {lineIndex}."); + foreach (var item in line.Words) + { + Assert.GreaterOrEqual(item.Confidence, 0); + } + + Assert.IsNotNull(line.Appearance); + Assert.IsNotNull(line.Appearance.Style); + Assert.Greater(line.Appearance.Style.Confidence, 0f); + + if (lineIndex == 45) + { + Assert.AreEqual(TextStyleName.Handwriting, line.Appearance.Style.Name); + } + else + { + Assert.AreEqual(TextStyleName.Other, line.Appearance.Style.Name); + } + } + + Assert.AreEqual(2, formPage.Tables.Count); + + var sampleTable = formPage.Tables[1]; + + Assert.AreEqual(4, sampleTable.RowCount); + Assert.AreEqual(2, sampleTable.ColumnCount); + Assert.AreEqual(4, sampleTable.BoundingBox.Points.Count(), $"There should be exactly 4 points in the table bounding box."); + + var cells = sampleTable.Cells.ToList(); + + Assert.AreEqual(8, cells.Count); + + var expectedText = new string[4, 2] + { + { "SUBTOTAL", "$140.00" }, + { "TAX", "$4.00" }, + { "", ""}, + { "TOTAL", "$144.00" } + }; + + for (int i = 0; i < cells.Count; i++) + { + Assert.GreaterOrEqual(cells[i].RowIndex, 0, $"Cell with text {cells[i].Text} should have row index greater than or equal to zero."); + Assert.Less(cells[i].RowIndex, sampleTable.RowCount, $"Cell with text {cells[i].Text} should have row index less than {sampleTable.RowCount}."); + Assert.GreaterOrEqual(cells[i].ColumnIndex, 0, $"Cell with text {cells[i].Text} should have column index greater than or equal to zero."); + Assert.Less(cells[i].ColumnIndex, sampleTable.ColumnCount, $"Cell with text {cells[i].Text} should have column index less than {sampleTable.ColumnCount}."); + + Assert.AreEqual(1, cells[i].RowSpan, $"Cell with text {cells[i].Text} should have a row span of 1."); + Assert.AreEqual(1, cells[i].ColumnSpan, $"Cell with text {cells[i].Text} should have a column span of 1."); + + Assert.AreEqual(expectedText[cells[i].RowIndex, cells[i].ColumnIndex], cells[i].Text); + + Assert.IsFalse(cells[i].IsFooter, $"Cell with text {cells[i].Text} should not have been classified as footer."); + Assert.IsFalse(cells[i].IsHeader, $"Cell with text {cells[i].Text} should not have been classified as header."); + + Assert.GreaterOrEqual(cells[i].Confidence, 0, $"Cell with text {cells[i].Text} should have confidence greater or equal to zero."); + + // Empty row + if (cells[i].RowIndex != 2) + { + Assert.Greater(cells[i].FieldElements.Count, 0, $"Cell with text {cells[i].Text} should have at least one field element."); + } + else + { + Assert.AreEqual(0, cells[i].FieldElements.Count); + } + } + } + + [RecordedTest] + [TestCase(true)] + [TestCase(false)] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeContentCanParseMultipageForm(bool useStream) + { + var client = CreateFormRecognizerClient(); + RecognizeContentOperation operation; + + if (useStream) + { + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipage); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeContentAsync(stream); + } + } + else + { + var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.InvoiceMultipage); + operation = await client.StartRecognizeContentFromUriAsync(uri); + } + + FormPageCollection formPages = await operation.WaitForCompletionAsync(); + + Assert.AreEqual(2, formPages.Count); + + for (int pageIndex = 0; pageIndex < formPages.Count; pageIndex++) + { + var formPage = formPages[pageIndex]; + + ValidateFormPage(formPage, includeFieldElements: true, expectedPageNumber: pageIndex + 1); + + // Basic sanity test to make sure pages are ordered correctly. + + var sampleLine = formPage.Lines[1]; + var expectedText = pageIndex == 0 ? "Vendor Registration" : "Vendor Details:"; + + Assert.AreEqual(expectedText, sampleLine.Text); + } + } + + [RecordedTest] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeContentCanParseBlankPage() + { + var client = CreateFormRecognizerClient(); + var options = new RecognizeContentOptions(); + RecognizeContentOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.Blank); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeContentAsync(stream, options); + } + + FormPageCollection formPages = await operation.WaitForCompletionAsync(); + var blankPage = formPages.Single(); + + ValidateFormPage(blankPage, includeFieldElements: true, expectedPageNumber: 1); + + Assert.AreEqual(0, blankPage.Lines.Count); + Assert.AreEqual(0, blankPage.Tables.Count); + Assert.AreEqual(0, blankPage.SelectionMarks.Count); + } + + [RecordedTest] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeContentCanParseMultipageFormWithBlankPage() + { + var client = CreateFormRecognizerClient(); + RecognizeContentOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeContentAsync(stream); + } + + FormPageCollection formPages = await operation.WaitForCompletionAsync(); + + Assert.AreEqual(3, formPages.Count); + + for (int pageIndex = 0; pageIndex < formPages.Count; pageIndex++) + { + var formPage = formPages[pageIndex]; + + ValidateFormPage(formPage, includeFieldElements: true, expectedPageNumber: pageIndex + 1); + + // Basic sanity test to make sure pages are ordered correctly. + + if (pageIndex == 0 || pageIndex == 2) + { + var sampleLine = formPage.Lines[3]; + var expectedText = pageIndex == 0 ? "Bilbo Baggins" : "Frodo Baggins"; + + Assert.AreEqual(expectedText, sampleLine.Text); + } + } + + var blankPage = formPages[1]; + + Assert.AreEqual(0, blankPage.Lines.Count); + Assert.AreEqual(0, blankPage.Tables.Count); + } + + [RecordedTest] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public void StartRecognizeContentThrowsForDamagedFile() + { + var client = CreateFormRecognizerClient(); + + // First 4 bytes are PDF signature, but fill the rest of the "file" with garbage. + + var damagedFile = new byte[] { 0x25, 0x50, 0x44, 0x46, 0x55, 0x55, 0x55 }; + using var stream = new MemoryStream(damagedFile); + + RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeContentAsync(stream)); + Assert.AreEqual("InvalidImage", ex.ErrorCode); + } + + /// + /// Verifies that the is able to connect to the Form + /// Recognizer cognitive service and handle returned errors. + /// + [RecordedTest] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public void StartRecognizeContentFromUriThrowsForNonExistingContent() + { + var client = CreateFormRecognizerClient(); + var invalidUri = new Uri("https://idont.ex.ist"); + + RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeContentFromUriAsync(invalidUri)); + Assert.AreEqual("FailedToDownloadImage", ex.ErrorCode); + } + + [RecordedTest] + [TestCase(true)] + [TestCase(false)] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeContentWithSelectionMarks(bool useStream) + { + var client = CreateFormRecognizerClient(); + RecognizeContentOperation operation; + + if (useStream) + { + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.FormSelectionMarks); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeContentAsync(stream); + } + } + else + { + var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.FormSelectionMarks); + operation = await client.StartRecognizeContentFromUriAsync(uri); + } + + await operation.WaitForCompletionAsync(); + Assert.IsTrue(operation.HasValue); + + var formPage = operation.Value.Single(); + + ValidateFormPage(formPage, includeFieldElements: true, expectedPageNumber: 1); + } + + [RecordedTest] + [TestCase("1", 1)] + [TestCase("1-2", 2)] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeContentWithOnePageArgument(string pages, int expected) + { + var client = CreateFormRecognizerClient(); + RecognizeContentOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeContentAsync(stream, new RecognizeContentOptions() { Pages = { pages } }); + } + + FormPageCollection formPages = await operation.WaitForCompletionAsync(); + + Assert.AreEqual(expected, formPages.Count); + } + + [RecordedTest] + [TestCase("1", "3", 2)] + [TestCase("1-2", "3", 3)] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeContentWithMultiplePageArgument(string page1, string page2, int expected) + { + var client = CreateFormRecognizerClient(); + RecognizeContentOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeContentAsync(stream, new RecognizeContentOptions() { Pages = { page1, page2 } }); + } + + FormPageCollection formPages = await operation.WaitForCompletionAsync(); + + Assert.AreEqual(expected, formPages.Count); + } + + [RecordedTest] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeContentWithLanguage() + { + var client = CreateFormRecognizerClient(); + RecognizeContentOperation operation; + + var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.Form1); + operation = await client.StartRecognizeContentFromUriAsync(uri, new RecognizeContentOptions() { Language = FormRecognizerLanguage.En }); + + await operation.WaitForCompletionAsync(); + Assert.IsTrue(operation.HasValue); + + var formPage = operation.Value.Single(); + + ValidateFormPage(formPage, includeFieldElements: true, expectedPageNumber: 1); + } + + [RecordedTest] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public void StartRecognizeContentWithNoSupporttedLanguage() + { + var client = CreateFormRecognizerClient(); + var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.Form1); + + RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeContentFromUriAsync(uri, new RecognizeContentOptions() { Language = "not language" })); + Assert.AreEqual("NotSupportedLanguage", ex.ErrorCode); + } + + [RecordedTest] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeContentWithReadingOrder() + { + var client = CreateFormRecognizerClient(); + var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.Form1); + RecognizeContentOperation basicOrderOperation, naturalOrderOperation; + + basicOrderOperation = await client.StartRecognizeContentFromUriAsync(uri, new RecognizeContentOptions() { ReadingOrder = ReadingOrder.Basic }); + naturalOrderOperation = await client.StartRecognizeContentFromUriAsync(uri, new RecognizeContentOptions() { ReadingOrder = ReadingOrder.Natural }); + + await basicOrderOperation.WaitForCompletionAsync(); + Assert.IsTrue(basicOrderOperation.HasValue); + + await naturalOrderOperation.WaitForCompletionAsync(); + Assert.IsTrue(naturalOrderOperation.HasValue); + + var basicOrderFormPage = basicOrderOperation.Value.Single(); + var naturalOrderFormPage = naturalOrderOperation.Value.Single(); + + ValidateFormPage(basicOrderFormPage, includeFieldElements: true, expectedPageNumber: 1); + ValidateFormPage(naturalOrderFormPage, includeFieldElements: true, expectedPageNumber: 1); + + var basicOrderLines = basicOrderFormPage.Lines.Select(f => f.Text); + var naturalOrderLines = naturalOrderFormPage.Lines.Select(f => f.Text); + + CollectionAssert.AreEquivalent(basicOrderLines, naturalOrderLines); + CollectionAssert.AreNotEqual(basicOrderLines, naturalOrderLines); + } + } +} diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeCustomFormsLiveTests.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeCustomFormsLiveTests.cs new file mode 100644 index 000000000000..02c8df555938 --- /dev/null +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeCustomFormsLiveTests.cs @@ -0,0 +1,751 @@ +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License. + +using System; +using System.IO; +using System.Linq; +using System.Threading.Tasks; +using Azure.AI.FormRecognizer.Models; +using Azure.Core.TestFramework; +using NUnit.Framework; + +/// +/// The suite of tests for the `StartRecognizeCustomForms` methods in the class. +/// +/// +/// These tests have a dependency on live Azure services and may incur costs for the associated +/// Azure subscription. +/// +namespace Azure.AI.FormRecognizer.Tests +{ + public class RecognizeCustomFormsLiveTests : FormRecognizerLiveTestBase + { + public RecognizeCustomFormsLiveTests(bool isAsync, FormRecognizerClientOptions.ServiceVersion serviceVersion) + : base(isAsync, serviceVersion) + { + } + + [RecordedTest] + [TestCase(true)] + [TestCase(false)] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeCustomFormsCanAuthenticateWithTokenCredential(bool useTrainingLabels) + { + var client = CreateFormRecognizerClient(useTokenCredential: true); + await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels); + RecognizeCustomFormsOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.Form1); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream); + } + + // Sanity check to make sure we got an actual response back from the service. + + RecognizedFormCollection formPage = await operation.WaitForCompletionAsync(); + + RecognizedForm form = formPage.Single(); + Assert.NotNull(form); + + if (useTrainingLabels) + { + ValidateModelWithLabelsForm( + form, + trainedModel.ModelId, + includeFieldElements: false, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 1, + isComposedModel: false); + } + else + { + ValidateModelWithNoLabelsForm( + form, + trainedModel.ModelId, + includeFieldElements: false, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 1); + } + } + + /// + /// Verifies that the is able to connect to the Form + /// Recognizer cognitive service and perform analysis based on a custom labeled model. + /// + [RecordedTest] + [TestCase(true, true)] + [TestCase(true, false)] + [TestCase(false, true)] + [TestCase(false, false)] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeCustomFormsWithLabels(bool useStream, bool includeFieldElements) + { + var client = CreateFormRecognizerClient(); + var options = new RecognizeCustomFormsOptions { IncludeFieldElements = includeFieldElements }; + RecognizeCustomFormsOperation operation; + + await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: true); + + if (useStream) + { + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.Form1); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream, options); + } + } + else + { + var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.Form1); + operation = await client.StartRecognizeCustomFormsFromUriAsync(trainedModel.ModelId, uri, options); + } + + await operation.WaitForCompletionAsync(); + + Assert.IsTrue(operation.HasValue); + Assert.GreaterOrEqual(operation.Value.Count, 1); + + RecognizedForm form = operation.Value.Single(); + + ValidateModelWithLabelsForm( + form, + trainedModel.ModelId, + includeFieldElements: includeFieldElements, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 1, + isComposedModel: false); + + // Testing that we shuffle things around correctly so checking only once per property. + + Assert.IsNotEmpty(form.FormType); + Assert.IsTrue(form.FormTypeConfidence.HasValue); + Assert.AreEqual(1, form.Pages.Count); + Assert.AreEqual(2200, form.Pages[0].Height); + Assert.AreEqual(1, form.Pages[0].PageNumber); + Assert.AreEqual(LengthUnit.Pixel, form.Pages[0].Unit); + Assert.AreEqual(1700, form.Pages[0].Width); + + Assert.IsNotNull(form.Fields); + var name = "PurchaseOrderNumber"; + Assert.IsNotNull(form.Fields[name]); + Assert.AreEqual(FieldValueType.String, form.Fields[name].Value.ValueType); + Assert.AreEqual("948284", form.Fields[name].ValueData.Text); + } + + [RecordedTest] + [TestCase(true)] + [TestCase(false)] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeCustomFormsWithLabelsAndSelectionMarks(bool includeFieldElements) + { + var client = CreateFormRecognizerClient(); + var options = new RecognizeCustomFormsOptions { IncludeFieldElements = includeFieldElements }; + RecognizeCustomFormsOperation operation; + + await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: true, ContainerType.SelectionMarks); + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.FormSelectionMarks); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream, options); + } + + await operation.WaitForCompletionAsync(); + + Assert.IsTrue(operation.HasValue); + Assert.GreaterOrEqual(operation.Value.Count, 1); + + RecognizedForm form = operation.Value.Single(); + + ValidateRecognizedForm(form, includeFieldElements: includeFieldElements, + expectedFirstPageNumber: 1, expectedLastPageNumber: 1); + + // Testing that we shuffle things around correctly so checking only once per property. + Assert.IsNotEmpty(form.FormType); + Assert.IsNotNull(form.Fields); + var name = "AMEX_SELECTION_MARK"; + Assert.IsNotNull(form.Fields[name]); + Assert.AreEqual(FieldValueType.SelectionMark, form.Fields[name].Value.ValueType); + + // If this assertion is failing after a recent update in the generated models, please remember + // to update the manually added FieldValue_internal constructor in src/FieldValue_internal.cs if + // necessary. The service originally returns "selected" and "unselected" as lowercase strings, + // but we overwrite these values there. Consider removing this comment when: + // https://github.com/Azure/azure-sdk-for-net/issues/17814 is fixed and the manually added constructor + // is not needed anymore. + Assert.AreEqual("Selected", form.Fields[name].ValueData.Text); + } + + [RecordedTest] + [TestCase(true)] + [TestCase(false)] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeCustomFormsWithLabelsCanParseMultipageForm(bool useStream) + { + var client = CreateFormRecognizerClient(); + var options = new RecognizeCustomFormsOptions() { IncludeFieldElements = true }; + RecognizeCustomFormsOperation operation; + + await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: true, ContainerType.MultipageFiles); + + if (useStream) + { + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipage); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream, options); + } + } + else + { + var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.InvoiceMultipage); + operation = await client.StartRecognizeCustomFormsFromUriAsync(trainedModel.ModelId, uri, options); + } + + RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); + + var recognizedForm = recognizedForms.Single(); + + ValidateModelWithLabelsForm( + recognizedForm, + trainedModel.ModelId, + includeFieldElements: true, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 2, + isComposedModel: false); + + // Check some values to make sure that fields from both pages are being populated. + + Assert.AreEqual("Jamie@southridgevideo.com", recognizedForm.Fields["Contact"].Value.AsString()); + Assert.AreEqual("Southridge Video", recognizedForm.Fields["CompanyName"].Value.AsString()); + Assert.AreEqual("$1,500", recognizedForm.Fields["Gold"].Value.AsString()); + Assert.AreEqual("$1,000", recognizedForm.Fields["Bronze"].Value.AsString()); + + Assert.AreEqual(2, recognizedForm.Pages.Count); + + for (int pageIndex = 0; pageIndex < recognizedForm.Pages.Count; pageIndex++) + { + var formPage = recognizedForm.Pages[pageIndex]; + + // Basic sanity test to make sure pages are ordered correctly. + + var sampleLine = formPage.Lines[1]; + var expectedText = pageIndex == 0 ? "Vendor Registration" : "Vendor Details:"; + + Assert.AreEqual(expectedText, sampleLine.Text); + } + } + + [RecordedTest] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeCustomFormsWithLabelsCanParseBlankPage() + { + var client = CreateFormRecognizerClient(); + var options = new RecognizeCustomFormsOptions() { IncludeFieldElements = true }; + RecognizeCustomFormsOperation operation; + + await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: true); + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.Blank); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream, options); + } + + RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); + + var recognizedForm = recognizedForms.Single(); + + ValidateModelWithLabelsForm( + recognizedForm, + trainedModel.ModelId, + includeFieldElements: true, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 1, + isComposedModel: false); + + var blankPage = recognizedForm.Pages.Single(); + + Assert.AreEqual(0, blankPage.Lines.Count); + Assert.AreEqual(0, blankPage.Tables.Count); + } + + [RecordedTest] + [TestCase(true)] + [TestCase(false)] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeCustomFormsWithLabelsCanParseMultipageFormWithBlankPage(bool useStream) + { + var client = CreateFormRecognizerClient(); + var options = new RecognizeCustomFormsOptions() { IncludeFieldElements = true }; + RecognizeCustomFormsOperation operation; + + await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: true); + + if (useStream) + { + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream, options); + } + } + else + { + var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.InvoiceMultipageBlank); + operation = await client.StartRecognizeCustomFormsFromUriAsync(trainedModel.ModelId, uri, options); + } + + RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); + + var recognizedForm = recognizedForms.Single(); + + ValidateModelWithLabelsForm( + recognizedForm, + trainedModel.ModelId, + includeFieldElements: true, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 3, + isComposedModel: false); + + for (int pageIndex = 0; pageIndex < recognizedForm.Pages.Count; pageIndex++) + { + if (pageIndex == 0 || pageIndex == 2) + { + var formPage = recognizedForm.Pages[pageIndex]; + var sampleLine = formPage.Lines[3]; + var expectedText = pageIndex == 0 ? "Bilbo Baggins" : "Frodo Baggins"; + + Assert.AreEqual(expectedText, sampleLine.Text); + } + } + + var blankPage = recognizedForm.Pages[1]; + + Assert.AreEqual(0, blankPage.Lines.Count); + Assert.AreEqual(0, blankPage.Tables.Count); + } + + [RecordedTest] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeCustomFormsWithLabelsCanParseDifferentTypeOfForm() + { + var client = CreateFormRecognizerClient(); + RecognizeCustomFormsOperation operation; + + // Use Form_. files for training with labels. + + await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: true); + + // Attempt to recognize a different type of form: Invoice_1.pdf. This form does not contain all the labels + // the newly trained model expects. + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoicePdf); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream); + } + + RecognizedFormCollection forms = await operation.WaitForCompletionAsync(); + var fields = forms.Single().Fields; + + // Verify that we got back at least one missing field to make sure we hit the code path we want to test. + // The missing field is returned with its value set to null. + + Assert.IsTrue(fields.Values.Any(field => + field.Value.ValueType == FieldValueType.String && field.Value.AsString() == null)); + } + + /// + /// Verifies that the is able to connect to the Form + /// Recognizer cognitive service and perform analysis based on a custom labeled model. + /// + [RecordedTest] + [TestCase(true, true)] + [TestCase(true, false)] + [TestCase(false, true)] + [TestCase(false, false)] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeCustomFormsWithoutLabels(bool useStream, bool includeFieldElements) + { + var client = CreateFormRecognizerClient(); + var options = new RecognizeCustomFormsOptions { IncludeFieldElements = includeFieldElements }; + RecognizeCustomFormsOperation operation; + + await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: false); + + if (useStream) + { + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.Form1); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream, options); + } + } + else + { + var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.Form1); + operation = await client.StartRecognizeCustomFormsFromUriAsync(trainedModel.ModelId, uri, options); + } + + await operation.WaitForCompletionAsync(); + + Assert.IsTrue(operation.HasValue); + Assert.GreaterOrEqual(operation.Value.Count, 1); + + RecognizedForm form = operation.Value.Single(); + + ValidateModelWithNoLabelsForm( + form, + trainedModel.ModelId, + includeFieldElements: includeFieldElements, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 1); + + //testing that we shuffle things around correctly so checking only once per property + + Assert.AreEqual("form-0", form.FormType); + Assert.IsFalse(form.FormTypeConfidence.HasValue); + Assert.AreEqual(1, form.Pages.Count); + Assert.AreEqual(2200, form.Pages[0].Height); + Assert.AreEqual(1, form.Pages[0].PageNumber); + Assert.AreEqual(LengthUnit.Pixel, form.Pages[0].Unit); + Assert.AreEqual(1700, form.Pages[0].Width); + + Assert.IsNotNull(form.Fields); + var name = "field-0"; + Assert.IsNotNull(form.Fields[name]); + Assert.IsNotNull(form.Fields[name].LabelData.Text); + Assert.AreEqual(FieldValueType.String, form.Fields[name].Value.ValueType); + + // Disable this verification for now. + // Issue https://github.com/Azure/azure-sdk-for-net/issues/15075 + // Assert.AreEqual("Hero Limited", form.Fields[name].LabelData.Text); + } + + [RecordedTest] + [TestCase(true)] + [TestCase(false, Ignore = "https://github.com/Azure/azure-sdk-for-net/issues/12319")] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeCustomFormsWithoutLabelsCanParseMultipageForm(bool useStream) + { + var client = CreateFormRecognizerClient(); + var options = new RecognizeCustomFormsOptions() { IncludeFieldElements = true }; + RecognizeCustomFormsOperation operation; + + await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: false, ContainerType.MultipageFiles); + + if (useStream) + { + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipage); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream, options); + } + } + else + { + var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.InvoiceMultipage); + operation = await client.StartRecognizeCustomFormsFromUriAsync(trainedModel.ModelId, uri, options); + } + + RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); + + Assert.AreEqual(2, recognizedForms.Count); + + for (int formIndex = 0; formIndex < recognizedForms.Count; formIndex++) + { + var recognizedForm = recognizedForms[formIndex]; + var expectedPageNumber = formIndex + 1; + + ValidateModelWithNoLabelsForm( + recognizedForm, + trainedModel.ModelId, + includeFieldElements: true, + expectedFirstPageNumber: expectedPageNumber, + expectedLastPageNumber: expectedPageNumber); + } + + // Basic sanity test to make sure pages are ordered correctly. + + FormPage firstFormPage = recognizedForms[0].Pages.Single(); + FormTable firstFormTable = firstFormPage.Tables.Single(); + + Assert.True(firstFormTable.Cells.Any(c => c.Text == "Gold Sponsor")); + + FormField secondFormFieldInPage = recognizedForms[1].Fields.Values.Where(field => field.LabelData.Text.Contains("Company Name:")).FirstOrDefault(); + + Assert.IsNotNull(secondFormFieldInPage); + Assert.IsNotNull(secondFormFieldInPage.ValueData); + Assert.AreEqual("Southridge Video", secondFormFieldInPage.ValueData.Text); + } + + [RecordedTest] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeCustomFormsWithoutLabelsCanParseBlankPage() + { + var client = CreateFormRecognizerClient(); + var options = new RecognizeCustomFormsOptions() { IncludeFieldElements = true }; + RecognizeCustomFormsOperation operation; + + await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: false); + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.Blank); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream, options); + } + + RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); + + var blankForm = recognizedForms.Single(); + + ValidateModelWithNoLabelsForm( + blankForm, + trainedModel.ModelId, + includeFieldElements: true, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 1); + + Assert.AreEqual(0, blankForm.Fields.Count); + + var blankPage = blankForm.Pages.Single(); + + Assert.AreEqual(0, blankPage.Lines.Count); + Assert.AreEqual(0, blankPage.Tables.Count); + } + + [RecordedTest] + [TestCase(true)] + [TestCase(false, Ignore = "https://github.com/Azure/azure-sdk-for-net/issues/12319")] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeCustomFormsWithoutLabelsCanParseMultipageFormWithBlankPage(bool useStream) + { + var client = CreateFormRecognizerClient(); + var options = new RecognizeCustomFormsOptions() { IncludeFieldElements = true }; + RecognizeCustomFormsOperation operation; + + await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: false); + + if (useStream) + { + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream, options); + } + } + else + { + var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.InvoiceMultipageBlank); + operation = await client.StartRecognizeCustomFormsFromUriAsync(trainedModel.ModelId, uri, options); + } + + RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); + + Assert.AreEqual(3, recognizedForms.Count); + + for (int formIndex = 0; formIndex < recognizedForms.Count; formIndex++) + { + var recognizedForm = recognizedForms[formIndex]; + var expectedPageNumber = formIndex + 1; + + ValidateModelWithNoLabelsForm( + recognizedForm, + trainedModel.ModelId, + includeFieldElements: true, + expectedFirstPageNumber: expectedPageNumber, + expectedLastPageNumber: expectedPageNumber); + + // Basic sanity test to make sure pages are ordered correctly. + + if (formIndex == 0 || formIndex == 2) + { + var expectedValueData = formIndex == 0 ? "300.00" : "3000.00"; + + FormField fieldInPage = recognizedForm.Fields.Values.Where(field => field.LabelData.Text.Contains("Subtotal:")).FirstOrDefault(); + Assert.IsNotNull(fieldInPage); + Assert.IsNotNull(fieldInPage.ValueData); + Assert.AreEqual(expectedValueData, fieldInPage.ValueData.Text); + } + } + + var blankForm = recognizedForms[1]; + + Assert.AreEqual(0, blankForm.Fields.Count); + + var blankPage = blankForm.Pages.Single(); + + Assert.AreEqual(0, blankPage.Lines.Count); + Assert.AreEqual(0, blankPage.Tables.Count); + } + + [RecordedTest] + [TestCase(true)] + [TestCase(false)] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeCustomFormsThrowsForDamagedFile(bool useTrainingLabels) + { + var client = CreateFormRecognizerClient(); + + // First 4 bytes are PDF signature, but fill the rest of the "file" with garbage. + + var damagedFile = new byte[] { 0x25, 0x50, 0x44, 0x46, 0x55, 0x55, 0x55 }; + using var stream = new MemoryStream(damagedFile); + + await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels); + + RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream)); + Assert.AreEqual("1000", ex.ErrorCode); + } + + /// + /// Verifies that the is able to connect to the Form + /// Recognizer cognitive service and handle returned errors. + /// + [RecordedTest] + [TestCase(true)] + [TestCase(false)] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeCustomFormsFromUriThrowsForNonExistingContent(bool useTrainingLabels) + { + var client = CreateFormRecognizerClient(); + var invalidUri = new Uri("https://idont.ex.ist"); + + await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels); + + var operation = await client.StartRecognizeCustomFormsFromUriAsync(trainedModel.ModelId, invalidUri); + + RequestFailedException ex = Assert.ThrowsAsync(async () => await operation.WaitForCompletionAsync()); + + Assert.AreEqual("2003", ex.ErrorCode); + Assert.True(operation.HasCompleted); + Assert.False(operation.HasValue); + } + + [RecordedTest] + [TestCase("1", 1)] + [TestCase("1-2", 2)] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeCustomFormsWithOnePageArgument(string pages, int expected) + { + var client = CreateFormRecognizerClient(); + RecognizeCustomFormsOperation operation; + + await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: false, ContainerType.MultipageFiles); + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream, new RecognizeCustomFormsOptions() { Pages = { pages } }); + } + + RecognizedFormCollection forms = await operation.WaitForCompletionAsync(); + + Assert.AreEqual(expected, forms.Count); + } + + [RecordedTest] + [TestCase("1", "3", 2)] + [TestCase("1-2", "3", 3)] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeCustomFormsWithMultiplePageArgument(string page1, string page2, int expected) + { + var client = CreateFormRecognizerClient(); + RecognizeCustomFormsOperation operation; + + await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: false, ContainerType.MultipageFiles); + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream, new RecognizeCustomFormsOptions() { Pages = { page1, page2 } }); + } + + RecognizedFormCollection forms = await operation.WaitForCompletionAsync(); + + Assert.AreEqual(expected, forms.Count); + } + + [RecordedTest] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeCustomFormsWithTableVariableRows() + { + var client = CreateFormRecognizerClient(); + RecognizeCustomFormsOperation operation; + + await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: true, ContainerType.TableVariableRows); + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.FormTableVariableRows); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream); + } + + RecognizedFormCollection forms = await operation.WaitForCompletionAsync(); + + RecognizedForm form = forms.Single(); + + ValidateModelWithLabelsForm( + form, + trainedModel.ModelId, + includeFieldElements: false, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 1, + isComposedModel: false); + } + + [RecordedTest] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeCustomFormsWithTableFixedRows() + { + var client = CreateFormRecognizerClient(); + RecognizeCustomFormsOperation operation; + + await using var trainedModel = await CreateDisposableTrainedModelAsync(useTrainingLabels: true, ContainerType.TableFixedRows); + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.FormTableFixedRows); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeCustomFormsAsync(trainedModel.ModelId, stream); + } + + RecognizedFormCollection forms = await operation.WaitForCompletionAsync(); + + RecognizedForm form = forms.Single(); + + ValidateModelWithLabelsForm( + form, + trainedModel.ModelId, + includeFieldElements: false, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 1, + isComposedModel: false); + } + + private void ValidateModelWithNoLabelsForm(RecognizedForm recognizedForm, string modelId, bool includeFieldElements, int expectedFirstPageNumber, int expectedLastPageNumber) + { + Assert.NotNull(recognizedForm.FormType); + Assert.IsFalse(recognizedForm.FormTypeConfidence.HasValue); + Assert.IsNotNull(recognizedForm.ModelId); + Assert.AreEqual(modelId, recognizedForm.ModelId); + + ValidateRecognizedForm(recognizedForm, includeFieldElements, expectedFirstPageNumber, expectedLastPageNumber); + } + + private void ValidateModelWithLabelsForm(RecognizedForm recognizedForm, string modelId, bool includeFieldElements, int expectedFirstPageNumber, int expectedLastPageNumber, bool isComposedModel) + { + Assert.NotNull(recognizedForm.FormType); + Assert.IsTrue(recognizedForm.FormTypeConfidence.HasValue); + Assert.IsNotNull(recognizedForm.ModelId); + + if (!isComposedModel) + Assert.AreEqual(modelId, recognizedForm.ModelId); + else + Assert.AreNotEqual(modelId, recognizedForm.ModelId); + + ValidateRecognizedForm(recognizedForm, includeFieldElements, expectedFirstPageNumber, expectedLastPageNumber); + } + } +} diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeIdDocumentsLiveTests.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeIdDocumentsLiveTests.cs new file mode 100644 index 000000000000..af0918e4a32b --- /dev/null +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeIdDocumentsLiveTests.cs @@ -0,0 +1,193 @@ +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License. + +using System; +using System.IO; +using System.Linq; +using System.Threading.Tasks; +using Azure.AI.FormRecognizer.Models; +using Azure.Core.TestFramework; +using NUnit.Framework; + +/// +/// The suite of tests for the `StartRecognizeIdDocuments` methods in the class. +/// +/// +/// These tests have a dependency on live Azure services and may incur costs for the associated +/// Azure subscription. +/// +namespace Azure.AI.FormRecognizer.Tests +{ + [ClientTestFixture(FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public class RecognizeIdDocumentsLiveTests : FormRecognizerLiveTestBase + { + public RecognizeIdDocumentsLiveTests(bool isAsync, FormRecognizerClientOptions.ServiceVersion serviceVersion) + : base(isAsync, serviceVersion) + { + } + + [RecordedTest] + public async Task StartRecognizeIdDocumentsCanAuthenticateWithTokenCredential() + { + var client = CreateFormRecognizerClient(useTokenCredential: true); + RecognizeIdDocumentsOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.DriverLicenseJpg); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeIdDocumentsAsync(stream); + } + + // Sanity check to make sure we got an actual response back from the service. + + RecognizedFormCollection formCollection = await operation.WaitForCompletionAsync(); + + RecognizedForm form = formCollection.Single(); + Assert.NotNull(form); + + ValidatePrebuiltForm( + form, + includeFieldElements: true, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 1); + } + + [RecordedTest] + [TestCase(true)] + [TestCase(false)] + public async Task StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(bool useStream) + { + var client = CreateFormRecognizerClient(); + RecognizeIdDocumentsOperation operation; + + if (useStream) + { + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.DriverLicenseJpg); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeIdDocumentsAsync(stream); + } + } + else + { + var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.DriverLicenseJpg); + operation = await client.StartRecognizeIdDocumentsFromUriAsync(uri); + } + + await operation.WaitForCompletionAsync(); + + Assert.IsTrue(operation.HasValue); + + var form = operation.Value.Single(); + + Assert.NotNull(form); + + // The expected values are based on the values returned by the service, and not the actual + // values present in the ID document. We are not testing the service here, but the SDK. + + Assert.AreEqual("prebuilt:idDocument:driverLicense", form.FormType); + Assert.AreEqual(1, form.PageRange.FirstPageNumber); + Assert.AreEqual(1, form.PageRange.LastPageNumber); + + Assert.NotNull(form.Fields); + + Assert.True(form.Fields.ContainsKey("Address")); + Assert.True(form.Fields.ContainsKey("Country")); + Assert.True(form.Fields.ContainsKey("DateOfBirth")); + Assert.True(form.Fields.ContainsKey("DateOfExpiration")); + Assert.True(form.Fields.ContainsKey("DocumentNumber")); + Assert.True(form.Fields.ContainsKey("FirstName")); + Assert.True(form.Fields.ContainsKey("LastName")); + Assert.True(form.Fields.ContainsKey("Region")); + Assert.True(form.Fields.ContainsKey("Sex")); + + Assert.AreEqual("123 STREET ADDRESS YOUR CITY WA 99999-1234", form.Fields["Address"].Value.AsString()); + Assert.AreEqual("LICWDLACD5DG", form.Fields["DocumentNumber"].Value.AsString()); + Assert.AreEqual("LIAM R.", form.Fields["FirstName"].Value.AsString()); + Assert.AreEqual("TALBOT", form.Fields["LastName"].Value.AsString()); + Assert.AreEqual("Washington", form.Fields["Region"].Value.AsString()); + + Assert.That(form.Fields["Country"].Value.AsCountryCode(), Is.EqualTo("USA")); + Assert.That(form.Fields["Sex"].Value.AsGender(), Is.EqualTo(FieldValueGender.M)); + + var dateOfBirth = form.Fields["DateOfBirth"].Value.AsDate(); + Assert.AreEqual(6, dateOfBirth.Day); + Assert.AreEqual(1, dateOfBirth.Month); + Assert.AreEqual(1958, dateOfBirth.Year); + + var dateOfExpiration = form.Fields["DateOfExpiration"].Value.AsDate(); + Assert.AreEqual(12, dateOfExpiration.Day); + Assert.AreEqual(8, dateOfExpiration.Month); + Assert.AreEqual(2020, dateOfExpiration.Year); + } + + [RecordedTest] + public async Task StartRecognizeIdDocumentsIncludeFieldElements() + { + var client = CreateFormRecognizerClient(); + var options = new RecognizeIdDocumentsOptions() { IncludeFieldElements = true }; + RecognizeIdDocumentsOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.DriverLicenseJpg); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeIdDocumentsAsync(stream, options); + } + + RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); + + var form = recognizedForms.Single(); + + ValidatePrebuiltForm( + form, + includeFieldElements: true, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 1); + } + + [RecordedTest] + public async Task StartRecognizeIdDocumentsCanParseBlankPage() + { + var client = CreateFormRecognizerClient(); + RecognizeIdDocumentsOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.Blank); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeIdDocumentsAsync(stream); + } + + RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); + + Assert.IsEmpty(recognizedForms); + } + + [RecordedTest] + public void StartRecognizeIdDocumentsThrowsForDamagedFile() + { + var client = CreateFormRecognizerClient(); + + // First 4 bytes are PDF signature, but fill the rest of the "file" with garbage. + + var damagedFile = new byte[] { 0x25, 0x50, 0x44, 0x46, 0x55, 0x55, 0x55 }; + using var stream = new MemoryStream(damagedFile); + + RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeIdDocumentsAsync(stream)); + Assert.AreEqual("BadArgument", ex.ErrorCode); + } + + /// + /// Verifies that the is able to connect to the Form + /// Recognizer cognitive service and handle returned errors. + /// + [RecordedTest] + public void StartRecognizeIdDocumentsFromUriThrowsForNonExistingContent() + { + var client = CreateFormRecognizerClient(); + var invalidUri = new Uri("https://idont.ex.ist"); + + RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeIdDocumentsFromUriAsync(invalidUri)); + Assert.AreEqual("FailedToDownloadImage", ex.ErrorCode); + } + } +} diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeInvoicesLiveTests.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeInvoicesLiveTests.cs new file mode 100644 index 000000000000..a36fd6eb8a36 --- /dev/null +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeInvoicesLiveTests.cs @@ -0,0 +1,452 @@ +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License. + +using System; +using System.Collections.Generic; +using System.IO; +using System.Linq; +using System.Threading.Tasks; +using Azure.AI.FormRecognizer.Models; +using Azure.Core.TestFramework; +using NUnit.Framework; + +/// +/// The suite of tests for the `StartRecognizeInvoices` methods in the class. +/// +/// +/// These tests have a dependency on live Azure services and may incur costs for the associated +/// Azure subscription. +/// +namespace Azure.AI.FormRecognizer.Tests +{ + [ClientTestFixture(FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + + public class RecognizeInvoicesLiveTests : FormRecognizerLiveTestBase + { + public RecognizeInvoicesLiveTests(bool isAsync, FormRecognizerClientOptions.ServiceVersion serviceVersion) + : base(isAsync, serviceVersion) + { + } + + [RecordedTest] + public async Task StartRecognizeInvoicesCanAuthenticateWithTokenCredential() + { + var client = CreateFormRecognizerClient(useTokenCredential: true); + RecognizeInvoicesOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceJpg); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeInvoicesAsync(stream); + } + + // Sanity check to make sure we got an actual response back from the service. + + RecognizedFormCollection formPage = await operation.WaitForCompletionAsync(); + + RecognizedForm form = formPage.Single(); + Assert.NotNull(form); + + ValidatePrebuiltForm( + form, + includeFieldElements: true, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 1); + } + + [RecordedTest] + [TestCase(true)] + [TestCase(false)] + public async Task StartRecognizeInvoicesPopulatesExtractedJpg(bool useStream) + { + var client = CreateFormRecognizerClient(); + RecognizeInvoicesOperation operation; + + if (useStream) + { + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceJpg); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeInvoicesAsync(stream); + } + } + else + { + var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.InvoiceJpg); + operation = await client.StartRecognizeInvoicesFromUriAsync(uri); + } + + await operation.WaitForCompletionAsync(); + + Assert.IsTrue(operation.HasValue); + + var form = operation.Value.Single(); + + Assert.NotNull(form); + + // The expected values are based on the values returned by the service, and not the actual + // values present in the invoice. We are not testing the service here, but the SDK. + + Assert.AreEqual("prebuilt:invoice", form.FormType); + Assert.AreEqual(1, form.PageRange.FirstPageNumber); + Assert.AreEqual(1, form.PageRange.LastPageNumber); + + Assert.NotNull(form.Fields); + + Assert.True(form.Fields.ContainsKey("AmountDue")); + Assert.True(form.Fields.ContainsKey("BillingAddress")); + Assert.True(form.Fields.ContainsKey("BillingAddressRecipient")); + Assert.True(form.Fields.ContainsKey("CustomerAddress")); + Assert.True(form.Fields.ContainsKey("CustomerAddressRecipient")); + Assert.True(form.Fields.ContainsKey("CustomerId")); + Assert.True(form.Fields.ContainsKey("CustomerName")); + Assert.True(form.Fields.ContainsKey("DueDate")); + Assert.True(form.Fields.ContainsKey("InvoiceDate")); + Assert.True(form.Fields.ContainsKey("InvoiceId")); + Assert.True(form.Fields.ContainsKey("InvoiceTotal")); + Assert.True(form.Fields.ContainsKey("Items")); + Assert.True(form.Fields.ContainsKey("PreviousUnpaidBalance")); + Assert.True(form.Fields.ContainsKey("PurchaseOrder")); + Assert.True(form.Fields.ContainsKey("RemittanceAddress")); + Assert.True(form.Fields.ContainsKey("RemittanceAddressRecipient")); + Assert.True(form.Fields.ContainsKey("ServiceAddress")); + Assert.True(form.Fields.ContainsKey("ServiceAddressRecipient")); + Assert.True(form.Fields.ContainsKey("ServiceEndDate")); + Assert.True(form.Fields.ContainsKey("ServiceStartDate")); + Assert.True(form.Fields.ContainsKey("ShippingAddress")); + Assert.True(form.Fields.ContainsKey("ShippingAddressRecipient")); + Assert.True(form.Fields.ContainsKey("SubTotal")); + Assert.True(form.Fields.ContainsKey("TotalTax")); + Assert.True(form.Fields.ContainsKey("VendorAddress")); + Assert.True(form.Fields.ContainsKey("VendorAddressRecipient")); + Assert.True(form.Fields.ContainsKey("VendorName")); + + Assert.That(form.Fields["AmountDue"].Value.AsFloat(), Is.EqualTo(610.00).Within(0.0001)); + Assert.AreEqual("123 Bill St, Redmond WA, 98052", form.Fields["BillingAddress"].Value.AsString()); + Assert.AreEqual("Microsoft Finance", form.Fields["BillingAddressRecipient"].Value.AsString()); + Assert.AreEqual("123 Other St, Redmond WA, 98052", form.Fields["CustomerAddress"].Value.AsString()); + Assert.AreEqual("Microsoft Corp", form.Fields["CustomerAddressRecipient"].Value.AsString()); + Assert.AreEqual("CID-12345", form.Fields["CustomerId"].Value.AsString()); + Assert.AreEqual("MICROSOFT CORPORATION", form.Fields["CustomerName"].Value.AsString()); + + var dueDate = form.Fields["DueDate"].Value.AsDate(); + Assert.AreEqual(15, dueDate.Day); + Assert.AreEqual(12, dueDate.Month); + Assert.AreEqual(2019, dueDate.Year); + + var invoiceDate = form.Fields["InvoiceDate"].Value.AsDate(); + Assert.AreEqual(15, invoiceDate.Day); + Assert.AreEqual(11, invoiceDate.Month); + Assert.AreEqual(2019, invoiceDate.Year); + + Assert.AreEqual("INV-100", form.Fields["InvoiceId"].Value.AsString()); + Assert.That(form.Fields["InvoiceTotal"].Value.AsFloat(), Is.EqualTo(110.00).Within(0.0001)); + Assert.That(form.Fields["PreviousUnpaidBalance"].Value.AsFloat(), Is.EqualTo(500.00).Within(0.0001)); + Assert.AreEqual("PO-3333", form.Fields["PurchaseOrder"].Value.AsString()); + Assert.AreEqual("123 Remit St New York, NY, 10001", form.Fields["RemittanceAddress"].Value.AsString()); + Assert.AreEqual("Contoso Billing", form.Fields["RemittanceAddressRecipient"].Value.AsString()); + Assert.AreEqual("123 Service St, Redmond WA, 98052", form.Fields["ServiceAddress"].Value.AsString()); + Assert.AreEqual("Microsoft Services", form.Fields["ServiceAddressRecipient"].Value.AsString()); + + var serviceEndDate = form.Fields["ServiceEndDate"].Value.AsDate(); + Assert.AreEqual(14, serviceEndDate.Day); + Assert.AreEqual(11, serviceEndDate.Month); + Assert.AreEqual(2019, serviceEndDate.Year); + + var serviceStartDate = form.Fields["ServiceStartDate"].Value.AsDate(); + Assert.AreEqual(14, serviceStartDate.Day); + Assert.AreEqual(10, serviceStartDate.Month); + Assert.AreEqual(2019, serviceStartDate.Year); + + Assert.AreEqual("123 Ship St, Redmond WA, 98052", form.Fields["ShippingAddress"].Value.AsString()); + Assert.AreEqual("Microsoft Delivery", form.Fields["ShippingAddressRecipient"].Value.AsString()); + Assert.That(form.Fields["SubTotal"].Value.AsFloat(), Is.EqualTo(100.00).Within(0.0001)); + Assert.That(form.Fields["TotalTax"].Value.AsFloat(), Is.EqualTo(10.00).Within(0.0001)); + Assert.AreEqual("123 456th St New York, NY, 10001", form.Fields["VendorAddress"].Value.AsString()); + Assert.AreEqual("Contoso Headquarters", form.Fields["VendorAddressRecipient"].Value.AsString()); + Assert.AreEqual("CONTOSO LTD.", form.Fields["VendorName"].Value.AsString()); + + // TODO: add validation for Tax which currently don't have `valuenumber` properties. + // Issue: https://github.com/Azure/azure-sdk-for-net/issues/20014 + // TODO: add validation for Unit which currently is set as type `number` but should be `string`. + // Issue: https://github.com/Azure/azure-sdk-for-net/issues/20015 + var expectedItems = new List<(float? Amount, DateTime Date, string Description, string ProductCode, float? Quantity, float? UnitPrice)>() + { + (60f, DateTime.Parse("2021-03-04 00:00:00"), "Consulting Services", "A123", 2f, 30f), + (30f, DateTime.Parse("2021-03-05 00:00:00"), "Document Fee", "B456", 3f, 10f), + (10f, DateTime.Parse("2021-03-06 00:00:00"), "Printing Fee", "C789", 10f, 1f) + }; + + // Include a bit of tolerance when comparing float types. + + var items = form.Fields["Items"].Value.AsList(); + + Assert.AreEqual(expectedItems.Count, items.Count); + + for (var itemIndex = 0; itemIndex < items.Count; itemIndex++) + { + var receiptItemInfo = items[itemIndex].Value.AsDictionary(); + + receiptItemInfo.TryGetValue("Amount", out var amountField); + receiptItemInfo.TryGetValue("Date", out var dateField); + receiptItemInfo.TryGetValue("Description", out var descriptionField); + receiptItemInfo.TryGetValue("ProductCode", out var productCodeField); + receiptItemInfo.TryGetValue("Quantity", out var quantityField); + receiptItemInfo.TryGetValue("UnitPrice", out var unitPricefield); + + float? amount = amountField.Value.AsFloat(); + string description = descriptionField.Value.AsString(); + string productCode = productCodeField.Value.AsString(); + float? quantity = quantityField?.Value.AsFloat(); + float? unitPrice = unitPricefield.Value.AsFloat(); + + Assert.IsNotNull(dateField); + DateTime date = dateField.Value.AsDate(); + + var expectedItem = expectedItems[itemIndex]; + + Assert.That(amount, Is.EqualTo(expectedItem.Amount).Within(0.0001), $"Amount mismatch in item with index {itemIndex}."); + Assert.AreEqual(expectedItem.Date, date, $"Date mismatch in item with index {itemIndex}."); + Assert.AreEqual(expectedItem.Description, description, $"Description mismatch in item with index {itemIndex}."); + Assert.AreEqual(expectedItem.ProductCode, productCode, $"ProductCode mismatch in item with index {itemIndex}."); + Assert.That(quantity, Is.EqualTo(expectedItem.Quantity).Within(0.0001), $"Quantity mismatch in item with index {itemIndex}."); + Assert.That(unitPrice, Is.EqualTo(expectedItem.UnitPrice).Within(0.0001), $"UnitPrice price mismatch in item with index {itemIndex}."); + } + } + + [RecordedTest] + public async Task StartRecognizeInvoicesIncludeFieldElements() + { + var client = CreateFormRecognizerClient(); + var options = new RecognizeInvoicesOptions() { IncludeFieldElements = true }; + RecognizeInvoicesOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceJpg); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeInvoicesAsync(stream, options); + } + + RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); + + var invoicesform = recognizedForms.Single(); + + ValidatePrebuiltForm( + invoicesform, + includeFieldElements: true, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 1); + } + + [RecordedTest] + public async Task StartRecognizeInvoicesCanParseBlankPage() + { + var client = CreateFormRecognizerClient(); + RecognizeInvoicesOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.Blank); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeInvoicesAsync(stream); + } + + RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); + + var blankForm = recognizedForms.Single(); + + ValidatePrebuiltForm( + blankForm, + includeFieldElements: false, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 1); + + Assert.AreEqual(0, blankForm.Fields.Count); + + var blankPage = blankForm.Pages.Single(); + + Assert.AreEqual(0, blankPage.Lines.Count); + Assert.AreEqual(0, blankPage.Tables.Count); + Assert.AreEqual(0, blankPage.SelectionMarks.Count); + } + + [RecordedTest] + [TestCase(true)] + [TestCase(false)] + public async Task StartRecognizeInvoicesCanParseMultipageForm(bool useStream) + { + var client = CreateFormRecognizerClient(); + var options = new RecognizeInvoicesOptions() { IncludeFieldElements = true }; + RecognizeInvoicesOperation operation; + + if (useStream) + { + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipage); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeInvoicesAsync(stream, options); + } + } + else + { + var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.InvoiceMultipage); + operation = await client.StartRecognizeInvoicesFromUriAsync(uri, options); + } + + RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); + + var form = recognizedForms.Single(); + + Assert.NotNull(form); + + // The expected values are based on the values returned by the service, and not the actual + // values present in the invoice. We are not testing the service here, but the SDK. + + Assert.AreEqual("prebuilt:invoice", form.FormType); + Assert.AreEqual(1, form.PageRange.FirstPageNumber); + Assert.AreEqual(2, form.PageRange.LastPageNumber); + + Assert.NotNull(form.Fields); + + Assert.True(form.Fields.ContainsKey("VendorName")); + Assert.True(form.Fields.ContainsKey("RemittanceAddressRecipient")); + Assert.True(form.Fields.ContainsKey("RemittanceAddress")); + + FormField vendorName = form.Fields["VendorName"]; + Assert.AreEqual(2, vendorName.ValueData.PageNumber); + Assert.AreEqual("Southridge Video", vendorName.Value.AsString()); + + FormField addressRecepient = form.Fields["RemittanceAddressRecipient"]; + Assert.AreEqual(1, addressRecepient.ValueData.PageNumber); + Assert.AreEqual("Contoso Ltd.", addressRecepient.Value.AsString()); + + FormField address = form.Fields["RemittanceAddress"]; + Assert.AreEqual(1, address.ValueData.PageNumber); + Assert.AreEqual("2345 Dogwood Lane Birch, Kansas 98123", address.Value.AsString()); + + ValidatePrebuiltForm( + form, + includeFieldElements: true, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 2); + } + + [RecordedTest] + public void StartRecognizeInvoicesThrowsForDamagedFile() + { + var client = CreateFormRecognizerClient(); + + // First 4 bytes are PDF signature, but fill the rest of the "file" with garbage. + + var damagedFile = new byte[] { 0x25, 0x50, 0x44, 0x46, 0x55, 0x55, 0x55 }; + using var stream = new MemoryStream(damagedFile); + + RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeInvoicesAsync(stream)); + Assert.AreEqual("BadArgument", ex.ErrorCode); + } + + /// + /// Verifies that the is able to connect to the Form + /// Recognizer cognitive service and handle returned errors. + /// + [RecordedTest] + public void StartRecognizeInvoicesFromUriThrowsForNonExistingContent() + { + var client = CreateFormRecognizerClient(); + var invalidUri = new Uri("https://idont.ex.ist"); + + RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeInvoicesFromUriAsync(invalidUri)); + Assert.AreEqual("FailedToDownloadImage", ex.ErrorCode); + } + + [RecordedTest] + public async Task StartRecognizeInvoicesWithSupportedLocale() + { + var client = CreateFormRecognizerClient(); + var options = new RecognizeInvoicesOptions() + { + IncludeFieldElements = true, + Locale = FormRecognizerLocale.EnUS + }; + RecognizeInvoicesOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceJpg); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeInvoicesAsync(stream, options); + } + + RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); + + var invoice = recognizedForms.Single(); + + ValidatePrebuiltForm( + invoice, + includeFieldElements: true, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 1); + + Assert.Greater(invoice.Fields.Count, 0); + + var receiptPage = invoice.Pages.Single(); + + Assert.Greater(receiptPage.Lines.Count, 0); + Assert.AreEqual(0, receiptPage.SelectionMarks.Count); + Assert.AreEqual(2, receiptPage.Tables.Count); + } + + [RecordedTest] + public void StartRecognizeInvoicesWithWrongLocale() + { + var client = CreateFormRecognizerClient(); + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceJpg); + RequestFailedException ex; + + using (Recording.DisableRequestBodyRecording()) + { + ex = Assert.ThrowsAsync(async () => await client.StartRecognizeInvoicesAsync(stream, new RecognizeInvoicesOptions() { Locale = "not-locale" })); + } + Assert.AreEqual("UnsupportedLocale", ex.ErrorCode); + } + + [RecordedTest] + [TestCase("1", 1)] + [TestCase("1-2", 2)] + public async Task StartRecognizeInvoicesWithOnePageArgument(string pages, int expected) + { + var client = CreateFormRecognizerClient(); + RecognizeInvoicesOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeInvoicesAsync(stream, new RecognizeInvoicesOptions() { Pages = { pages } }); + } + + RecognizedFormCollection forms = await operation.WaitForCompletionAsync(); + int pageCount = forms.Sum(f => f.Pages.Count); + + Assert.AreEqual(expected, pageCount); + } + + [RecordedTest] + [TestCase("1", "3", 2)] + [TestCase("1-2", "3", 3)] + public async Task StartRecognizeInvoicesWithMultiplePageArgument(string page1, string page2, int expected) + { + var client = CreateFormRecognizerClient(); + RecognizeInvoicesOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeInvoicesAsync(stream, new RecognizeInvoicesOptions() { Pages = { page1, page2 } }); + } + + RecognizedFormCollection forms = await operation.WaitForCompletionAsync(); + int pageCount = forms.Sum(f => f.Pages.Count); + + Assert.AreEqual(expected, pageCount); + } + } +} diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeReceiptsLiveTests.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeReceiptsLiveTests.cs new file mode 100644 index 000000000000..a7b27639f519 --- /dev/null +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeReceiptsLiveTests.cs @@ -0,0 +1,552 @@ +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License. + +using System; +using System.Collections.Generic; +using System.IO; +using System.Linq; +using System.Threading.Tasks; +using Azure.AI.FormRecognizer.Models; +using Azure.Core.TestFramework; +using NUnit.Framework; + +/// +/// The suite of tests for the `StartRecognizeReceipts` methods in the class. +/// +/// +/// These tests have a dependency on live Azure services and may incur costs for the associated +/// Azure subscription. +/// +namespace Azure.AI.FormRecognizer.Tests +{ + public class RecognizeReceiptsLiveTests : FormRecognizerLiveTestBase + { + public RecognizeReceiptsLiveTests(bool isAsync, FormRecognizerClientOptions.ServiceVersion serviceVersion) + : base(isAsync, serviceVersion) + { + } + + [RecordedTest] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeReceiptsCanAuthenticateWithTokenCredential() + { + var client = CreateFormRecognizerClient(useTokenCredential: true); + RecognizeReceiptsOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.ReceiptJpg); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeReceiptsAsync(stream); + } + + // Sanity check to make sure we got an actual response back from the service. + + RecognizedFormCollection formPage = await operation.WaitForCompletionAsync(); + + RecognizedForm form = formPage.Single(); + Assert.NotNull(form); + + ValidatePrebuiltForm( + form, + includeFieldElements: true, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 1); + } + + /// + /// Verifies that the is able to connect to the Form + /// Recognizer cognitive service and perform analysis of receipts. + /// + [RecordedTest] + [TestCase(true)] + [TestCase(false)] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeReceiptsPopulatesExtractedReceiptJpg(bool useStream) + { + var client = CreateFormRecognizerClient(); + RecognizeReceiptsOperation operation; + + if (useStream) + { + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.ReceiptJpg); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeReceiptsAsync(stream); + } + } + else + { + var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.ReceiptJpg); + operation = await client.StartRecognizeReceiptsFromUriAsync(uri, default); + } + + await operation.WaitForCompletionAsync(); + + Assert.IsTrue(operation.HasValue); + + var form = operation.Value.Single(); + + Assert.NotNull(form); + + ValidatePrebuiltForm( + form, + includeFieldElements: true, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 1); + + // The expected values are based on the values returned by the service, and not the actual + // values present in the receipt. We are not testing the service here, but the SDK. + + Assert.AreEqual("prebuilt:receipt", form.FormType); + Assert.AreEqual(1, form.PageRange.FirstPageNumber); + Assert.AreEqual(1, form.PageRange.LastPageNumber); + + Assert.NotNull(form.Fields); + + Assert.True(form.Fields.ContainsKey("ReceiptType")); + Assert.True(form.Fields.ContainsKey("MerchantAddress")); + Assert.True(form.Fields.ContainsKey("MerchantName")); + Assert.True(form.Fields.ContainsKey("MerchantPhoneNumber")); + Assert.True(form.Fields.ContainsKey("TransactionDate")); + Assert.True(form.Fields.ContainsKey("TransactionTime")); + Assert.True(form.Fields.ContainsKey("Items")); + Assert.True(form.Fields.ContainsKey("Subtotal")); + Assert.True(form.Fields.ContainsKey("Tax")); + Assert.True(form.Fields.ContainsKey("Total")); + + Assert.AreEqual("Itemized", form.Fields["ReceiptType"].Value.AsString()); + Assert.AreEqual("Contoso", form.Fields["MerchantName"].Value.AsString()); + Assert.AreEqual("123 Main Street Redmond, WA 98052", form.Fields["MerchantAddress"].Value.AsString()); + Assert.AreEqual("123-456-7890", form.Fields["MerchantPhoneNumber"].ValueData.Text); + + var date = form.Fields["TransactionDate"].Value.AsDate(); + var time = form.Fields["TransactionTime"].Value.AsTime(); + + Assert.AreEqual(10, date.Day); + Assert.AreEqual(6, date.Month); + Assert.AreEqual(2019, date.Year); + + Assert.AreEqual(13, time.Hours); + Assert.AreEqual(59, time.Minutes); + Assert.AreEqual(0, time.Seconds); + + var expectedItems = new List<(int? Quantity, string Name, float? Price, float? TotalPrice)>() + { + (1, "Surface Pro 6", null, 999.00f), + (1, "SurfacePen", null, 99.99f) + }; + + // Include a bit of tolerance when comparing float types. + + var items = form.Fields["Items"].Value.AsList(); + + Assert.AreEqual(expectedItems.Count, items.Count); + + for (var itemIndex = 0; itemIndex < items.Count; itemIndex++) + { + var receiptItemInfo = items[itemIndex].Value.AsDictionary(); + + receiptItemInfo.TryGetValue("Quantity", out var quantityField); + receiptItemInfo.TryGetValue("Name", out var nameField); + receiptItemInfo.TryGetValue("Price", out var priceField); + receiptItemInfo.TryGetValue("TotalPrice", out var totalPriceField); + + var quantity = quantityField == null ? null : (float?)quantityField.Value.AsFloat(); + var name = nameField == null ? null : nameField.Value.AsString(); + var price = priceField == null ? null : (float?)priceField.Value.AsFloat(); + var totalPrice = totalPriceField == null ? null : (float?)totalPriceField.Value.AsFloat(); + + var expectedItem = expectedItems[itemIndex]; + + Assert.AreEqual(expectedItem.Quantity, quantity, $"Quantity mismatch in item with index {itemIndex}."); + Assert.AreEqual(expectedItem.Name, name, $"Name mismatch in item with index {itemIndex}."); + Assert.That(price, Is.EqualTo(expectedItem.Price).Within(0.0001), $"Price mismatch in item with index {itemIndex}."); + Assert.That(totalPrice, Is.EqualTo(expectedItem.TotalPrice).Within(0.0001), $"Total price mismatch in item with index {itemIndex}."); + } + + Assert.That(form.Fields["Subtotal"].Value.AsFloat(), Is.EqualTo(1098.99).Within(0.0001)); + Assert.That(form.Fields["Tax"].Value.AsFloat(), Is.EqualTo(104.40).Within(0.0001)); + Assert.That(form.Fields["Total"].Value.AsFloat(), Is.EqualTo(1203.39).Within(0.0001)); + } + + [RecordedTest] + [TestCase(true)] + [TestCase(false)] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeReceiptsPopulatesExtractedReceiptPng(bool useStream) + { + var client = CreateFormRecognizerClient(); + RecognizeReceiptsOperation operation; + + if (useStream) + { + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.ReceiptPng); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeReceiptsAsync(stream); + } + } + else + { + var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.ReceiptPng); + operation = await client.StartRecognizeReceiptsFromUriAsync(uri, default); + } + + await operation.WaitForCompletionAsync(); + + Assert.IsTrue(operation.HasValue); + + var form = operation.Value.Single(); + + Assert.NotNull(form); + + ValidatePrebuiltForm( + form, + includeFieldElements: true, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 1); + + // The expected values are based on the values returned by the service, and not the actual + // values present in the receipt. We are not testing the service here, but the SDK. + + Assert.AreEqual("prebuilt:receipt", form.FormType); + + Assert.AreEqual(1, form.PageRange.FirstPageNumber); + Assert.AreEqual(1, form.PageRange.LastPageNumber); + + Assert.NotNull(form.Fields); + + Assert.True(form.Fields.ContainsKey("ReceiptType")); + Assert.True(form.Fields.ContainsKey("MerchantAddress")); + Assert.True(form.Fields.ContainsKey("MerchantName")); + Assert.True(form.Fields.ContainsKey("MerchantPhoneNumber")); + Assert.True(form.Fields.ContainsKey("TransactionDate")); + Assert.True(form.Fields.ContainsKey("TransactionTime")); + Assert.True(form.Fields.ContainsKey("Items")); + Assert.True(form.Fields.ContainsKey("Subtotal")); + Assert.True(form.Fields.ContainsKey("Tax")); + Assert.True(form.Fields.ContainsKey("Tip")); + Assert.True(form.Fields.ContainsKey("Total")); + + Assert.AreEqual("Itemized", form.Fields["ReceiptType"].Value.AsString()); + Assert.AreEqual("Contoso", form.Fields["MerchantName"].Value.AsString()); + Assert.AreEqual("123 Main Street Redmond, WA 98052", form.Fields["MerchantAddress"].Value.AsString()); + Assert.AreEqual("987-654-3210", form.Fields["MerchantPhoneNumber"].ValueData.Text); + + var date = form.Fields["TransactionDate"].Value.AsDate(); + var time = form.Fields["TransactionTime"].Value.AsTime(); + + Assert.AreEqual(10, date.Day); + Assert.AreEqual(6, date.Month); + Assert.AreEqual(2019, date.Year); + + Assert.AreEqual(13, time.Hours); + Assert.AreEqual(59, time.Minutes); + Assert.AreEqual(0, time.Seconds); + + var expectedItems = new List<(int? Quantity, string Name, float? Price, float? TotalPrice)>() + { + (1, "Cappuccino", null, 2.20f), + (1, "BACON & EGGS", null, 9.50f) + }; + + // Include a bit of tolerance when comparing float types. + + var items = form.Fields["Items"].Value.AsList(); + + Assert.AreEqual(expectedItems.Count, items.Count); + + for (var itemIndex = 0; itemIndex < items.Count; itemIndex++) + { + var receiptItemInfo = items[itemIndex].Value.AsDictionary(); + + receiptItemInfo.TryGetValue("Quantity", out var quantityField); + receiptItemInfo.TryGetValue("Name", out var nameField); + receiptItemInfo.TryGetValue("Price", out var priceField); + receiptItemInfo.TryGetValue("TotalPrice", out var totalPriceField); + + var quantity = quantityField == null ? null : (float?)quantityField.Value.AsFloat(); + var name = nameField == null ? null : nameField.Value.AsString(); + var price = priceField == null ? null : (float?)priceField.Value.AsFloat(); + var totalPrice = totalPriceField == null ? null : (float?)totalPriceField.Value.AsFloat(); + + var expectedItem = expectedItems[itemIndex]; + + Assert.AreEqual(expectedItem.Quantity, quantity, $"Quantity mismatch in item with index {itemIndex}."); + Assert.AreEqual(expectedItem.Name, name, $"Name mismatch in item with index {itemIndex}."); + Assert.That(price, Is.EqualTo(expectedItem.Price).Within(0.0001), $"Price mismatch in item with index {itemIndex}."); + Assert.That(totalPrice, Is.EqualTo(expectedItem.TotalPrice).Within(0.0001), $"Total price mismatch in item with index {itemIndex}."); + } + + Assert.That(form.Fields["Subtotal"].Value.AsFloat(), Is.EqualTo(11.70).Within(0.0001)); + Assert.That(form.Fields["Tax"].Value.AsFloat(), Is.EqualTo(1.17).Within(0.0001)); + Assert.That(form.Fields["Tip"].Value.AsFloat(), Is.EqualTo(1.63).Within(0.0001)); + Assert.That(form.Fields["Total"].Value.AsFloat(), Is.EqualTo(14.50).Within(0.0001)); + } + + [RecordedTest] + [TestCase(true)] + [TestCase(false)] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeReceiptsCanParseMultipageForm(bool useStream) + { + var client = CreateFormRecognizerClient(); + var options = new RecognizeReceiptsOptions() { IncludeFieldElements = true }; + RecognizeReceiptsOperation operation; + + if (useStream) + { + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipage); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeReceiptsAsync(stream, options); + } + } + else + { + var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.InvoiceMultipage); + operation = await client.StartRecognizeReceiptsFromUriAsync(uri, options); + } + + RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); + + Assert.AreEqual(2, recognizedForms.Count); + + for (int formIndex = 0; formIndex < recognizedForms.Count; formIndex++) + { + var recognizedForm = recognizedForms[formIndex]; + var expectedPageNumber = formIndex + 1; + + Assert.NotNull(recognizedForm); + + ValidatePrebuiltForm( + recognizedForm, + includeFieldElements: true, + expectedFirstPageNumber: expectedPageNumber, + expectedLastPageNumber: expectedPageNumber); + + // Basic sanity test to make sure pages are ordered correctly. + + if (formIndex == 0) + { + var sampleField = recognizedForm.Fields["MerchantAddress"]; + + Assert.IsNotNull(sampleField.ValueData); + Assert.AreEqual("Maple City, Massachusetts.", sampleField.ValueData.Text); + } + else if (formIndex == 1) + { + Assert.IsFalse(recognizedForm.Fields.TryGetValue("MerchantAddress", out _)); + } + } + } + + [RecordedTest] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeReceiptsCanParseBlankPage() + { + var client = CreateFormRecognizerClient(); + var options = new RecognizeReceiptsOptions() { IncludeFieldElements = true }; + RecognizeReceiptsOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.Blank); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeReceiptsAsync(stream, options); + } + + RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); + + var blankForm = recognizedForms.Single(); + + ValidatePrebuiltForm( + blankForm, + includeFieldElements: true, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 1); + + Assert.AreEqual(0, blankForm.Fields.Count); + + var blankPage = blankForm.Pages.Single(); + + Assert.AreEqual(0, blankPage.Lines.Count); + Assert.AreEqual(0, blankPage.Tables.Count); + } + + [RecordedTest] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeReceiptsCanParseMultipageFormWithBlankPage() + { + var client = CreateFormRecognizerClient(); + var options = new RecognizeReceiptsOptions() { IncludeFieldElements = true }; + RecognizeReceiptsOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeReceiptsAsync(stream, options); + } + + RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); + + Assert.AreEqual(3, recognizedForms.Count); + + for (int formIndex = 0; formIndex < recognizedForms.Count; formIndex++) + { + var recognizedForm = recognizedForms[formIndex]; + var expectedPageNumber = formIndex + 1; + + Assert.NotNull(recognizedForm); + + ValidatePrebuiltForm( + recognizedForm, + includeFieldElements: true, + expectedFirstPageNumber: expectedPageNumber, + expectedLastPageNumber: expectedPageNumber); + + // Basic sanity test to make sure pages are ordered correctly. + + if (formIndex == 0 || formIndex == 2) + { + var sampleField = recognizedForm.Fields["Total"]; + var expectedValueData = formIndex == 0 ? "430.00" : "4300.00"; + + Assert.IsNotNull(sampleField.ValueData); + Assert.AreEqual(expectedValueData, sampleField.ValueData.Text); + } + } + + var blankForm = recognizedForms[1]; + + Assert.AreEqual(0, blankForm.Fields.Count); + + var blankPage = blankForm.Pages.Single(); + + Assert.AreEqual(0, blankPage.Lines.Count); + Assert.AreEqual(0, blankPage.Tables.Count); + } + + [RecordedTest] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public void StartRecognizeReceiptsThrowsForDamagedFile() + { + var client = CreateFormRecognizerClient(); + + // First 4 bytes are PDF signature, but fill the rest of the "file" with garbage. + + var damagedFile = new byte[] { 0x25, 0x50, 0x44, 0x46, 0x55, 0x55, 0x55 }; + using var stream = new MemoryStream(damagedFile); + + RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeReceiptsAsync(stream)); + Assert.AreEqual("BadArgument", ex.ErrorCode); + } + + /// + /// Verifies that the is able to connect to the Form + /// Recognizer cognitive service and handle returned errors. + /// + [RecordedTest] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public void StartRecognizeReceiptsFromUriThrowsForNonExistingContent() + { + var client = CreateFormRecognizerClient(); + var invalidUri = new Uri("https://idont.ex.ist"); + + RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeReceiptsFromUriAsync(invalidUri)); + Assert.AreEqual("FailedToDownloadImage", ex.ErrorCode); + } + + [RecordedTest] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeReceiptsWithSupportedLocale() + { + var client = CreateFormRecognizerClient(); + var options = new RecognizeReceiptsOptions() + { + IncludeFieldElements = true, + Locale = FormRecognizerLocale.EnUS + }; + RecognizeReceiptsOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.ReceiptJpg); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeReceiptsAsync(stream, options); + } + + RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); + + var receipt = recognizedForms.Single(); + + ValidatePrebuiltForm( + receipt, + includeFieldElements: true, + expectedFirstPageNumber: 1, + expectedLastPageNumber: 1); + + Assert.Greater(receipt.Fields.Count, 0); + + var receiptPage = receipt.Pages.Single(); + + Assert.Greater(receiptPage.Lines.Count, 0); + Assert.AreEqual(0, receiptPage.SelectionMarks.Count); + Assert.AreEqual(0, receiptPage.Tables.Count); + } + + [RecordedTest] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public void StartRecognizeReceiptsWithWrongLocale() + { + var client = CreateFormRecognizerClient(); + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.ReceiptJpg); + RequestFailedException ex; + + using (Recording.DisableRequestBodyRecording()) + { + ex = Assert.ThrowsAsync(async () => await client.StartRecognizeReceiptsAsync(stream, new RecognizeReceiptsOptions() { Locale = "not-locale" })); + } + Assert.AreEqual("UnsupportedLocale", ex.ErrorCode); + } + + [RecordedTest] + [TestCase("1", 1)] + [TestCase("1-2", 2)] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeReceiptsWithOnePageArgument(string pages, int expected) + { + var client = CreateFormRecognizerClient(); + RecognizeReceiptsOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeReceiptsAsync(stream, new RecognizeReceiptsOptions() { Pages = { pages } }); + } + + RecognizedFormCollection forms = await operation.WaitForCompletionAsync(); + + Assert.AreEqual(expected, forms.Count); + } + + [RecordedTest] + [TestCase("1", "3", 2)] + [TestCase("1-2", "3", 3)] + [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] + public async Task StartRecognizeReceiptsWithMultiplePageArgument(string page1, string page2, int expected) + { + var client = CreateFormRecognizerClient(); + RecognizeReceiptsOperation operation; + + using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.InvoiceMultipageBlank); + using (Recording.DisableRequestBodyRecording()) + { + operation = await client.StartRecognizeReceiptsAsync(stream, new RecognizeReceiptsOptions() { Pages = { page1, page2 } }); + } + + RecognizedFormCollection forms = await operation.WaitForCompletionAsync(); + + Assert.AreEqual(expected, forms.Count); + } + } +} diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/Infrastructure/FormRecognizerLiveTestBase.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/Infrastructure/FormRecognizerLiveTestBase.cs index 3c736bd66ffa..58ab3bbfb486 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/Infrastructure/FormRecognizerLiveTestBase.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/Infrastructure/FormRecognizerLiveTestBase.cs @@ -2,10 +2,13 @@ // Licensed under the MIT License. using System; +using System.Linq; using System.Threading.Tasks; +using Azure.AI.FormRecognizer.Models; using Azure.AI.FormRecognizer.Training; using Azure.Core; using Azure.Core.TestFramework; +using NUnit.Framework; namespace Azure.AI.FormRecognizer.Tests { @@ -136,5 +139,182 @@ protected enum ContainerType TableVariableRows, TableFixedRows } + + protected void ValidatePrebuiltForm(RecognizedForm recognizedForm, bool includeFieldElements, int expectedFirstPageNumber, int expectedLastPageNumber) + { + Assert.NotNull(recognizedForm.FormType); + Assert.IsTrue(recognizedForm.FormTypeConfidence.HasValue); + Assert.That(recognizedForm.FormTypeConfidence.Value, Is.LessThanOrEqualTo(1.0).Within(0.005)); + Assert.IsNull(recognizedForm.ModelId); + + ValidateRecognizedForm(recognizedForm, includeFieldElements, expectedFirstPageNumber, expectedLastPageNumber); + } + + protected void ValidateRecognizedForm(RecognizedForm recognizedForm, bool includeFieldElements, int expectedFirstPageNumber, int expectedLastPageNumber) + { + Assert.AreEqual(expectedFirstPageNumber, recognizedForm.PageRange.FirstPageNumber); + Assert.AreEqual(expectedLastPageNumber, recognizedForm.PageRange.LastPageNumber); + + Assert.NotNull(recognizedForm.Pages); + Assert.AreEqual(expectedLastPageNumber - expectedFirstPageNumber + 1, recognizedForm.Pages.Count); + + int expectedPageNumber = expectedFirstPageNumber; + + for (int pageIndex = 0; pageIndex < recognizedForm.Pages.Count; pageIndex++) + { + var formPage = recognizedForm.Pages[pageIndex]; + ValidateFormPage(formPage, includeFieldElements, expectedPageNumber); + + expectedPageNumber++; + } + + Assert.NotNull(recognizedForm.Fields); + + foreach (var field in recognizedForm.Fields.Values) + { + if (field == null) + { + continue; + } + + Assert.NotNull(field.Name); + + Assert.That(field.Confidence, Is.GreaterThanOrEqualTo(0.0).Within(0.01)); + Assert.That(field.Confidence, Is.LessThanOrEqualTo(1.0).Within(0.01)); + + ValidateFieldData(field.LabelData, includeFieldElements); + ValidateFieldData(field.ValueData, includeFieldElements); + } + } + + private void ValidateFieldData(FieldData fieldData, bool includeFieldElements) + { + if (fieldData == null) + { + return; + } + + Assert.Greater(fieldData.PageNumber, 0); + + Assert.NotNull(fieldData.BoundingBox.Points); + + if (fieldData.BoundingBox.Points.Length != 0) + { + Assert.AreEqual(4, fieldData.BoundingBox.Points.Length); + } + + Assert.NotNull(fieldData.Text); + Assert.NotNull(fieldData.FieldElements); + + if (!includeFieldElements) + { + Assert.AreEqual(0, fieldData.FieldElements.Count); + } + } + + protected void ValidateFormPage(FormPage formPage, bool includeFieldElements, int expectedPageNumber) + { + Assert.AreEqual(expectedPageNumber, formPage.PageNumber); + + Assert.Greater(formPage.Width, 0.0); + Assert.Greater(formPage.Height, 0.0); + + Assert.That(formPage.TextAngle, Is.GreaterThan(-180.0).Within(0.01)); + Assert.That(formPage.TextAngle, Is.LessThanOrEqualTo(180.0).Within(0.01)); + + Assert.NotNull(formPage.Lines); + + if (!includeFieldElements) + { + Assert.AreEqual(0, formPage.Lines.Count); + } + + foreach (var line in formPage.Lines) + { + Assert.AreEqual(expectedPageNumber, line.PageNumber); + Assert.NotNull(line.BoundingBox.Points); + Assert.AreEqual(4, line.BoundingBox.Points.Length); + Assert.NotNull(line.Text); + + if (line.Appearance != null) + { + Assert.IsNotNull(line.Appearance.Style); + Assert.IsTrue(line.Appearance.Style.Name == TextStyleName.Handwriting || line.Appearance.Style.Name == TextStyleName.Other); + Assert.Greater(line.Appearance.Style.Confidence, 0f); + } + + Assert.NotNull(line.Words); + Assert.Greater(line.Words.Count, 0); + + foreach (var word in line.Words) + { + Assert.AreEqual(expectedPageNumber, word.PageNumber); + Assert.NotNull(word.BoundingBox.Points); + Assert.AreEqual(4, word.BoundingBox.Points.Length); + Assert.NotNull(word.Text); + + Assert.That(word.Confidence, Is.GreaterThanOrEqualTo(0.0).Within(0.01)); + Assert.That(word.Confidence, Is.LessThanOrEqualTo(1.0).Within(0.01)); + } + } + + Assert.NotNull(formPage.Tables); + + foreach (var table in formPage.Tables) + { + Assert.AreEqual(expectedPageNumber, table.PageNumber); + Assert.Greater(table.ColumnCount, 0); + Assert.Greater(table.RowCount, 0); + Assert.AreEqual(4, table.BoundingBox.Points.Count()); + + Assert.NotNull(table.Cells); + + foreach (var cell in table.Cells) + { + Assert.AreEqual(expectedPageNumber, cell.PageNumber); + Assert.NotNull(cell.BoundingBox.Points); + Assert.AreEqual(4, cell.BoundingBox.Points.Length); + + Assert.GreaterOrEqual(cell.ColumnIndex, 0); + Assert.GreaterOrEqual(cell.RowIndex, 0); + Assert.GreaterOrEqual(cell.ColumnSpan, 1); + Assert.GreaterOrEqual(cell.RowSpan, 1); + + Assert.That(cell.Confidence, Is.GreaterThanOrEqualTo(0.0).Within(0.01)); + Assert.That(cell.Confidence, Is.LessThanOrEqualTo(1.0).Within(0.01)); + + Assert.NotNull(cell.Text); + Assert.NotNull(cell.FieldElements); + + if (!includeFieldElements) + { + Assert.AreEqual(0, cell.FieldElements.Count); + } + + foreach (var element in cell.FieldElements) + { + Assert.AreEqual(expectedPageNumber, element.PageNumber); + Assert.NotNull(element.BoundingBox.Points); + Assert.AreEqual(4, element.BoundingBox.Points.Length); + + Assert.NotNull(element.Text); + Assert.True(element is FormWord || element is FormLine); + } + } + } + + Assert.NotNull(formPage.SelectionMarks); + + foreach (var selectionMark in formPage.SelectionMarks) + { + Assert.AreEqual(expectedPageNumber, selectionMark.PageNumber); + Assert.NotNull(selectionMark.BoundingBox.Points); + Assert.AreEqual(4, selectionMark.BoundingBox.Points.Length); + Assert.IsNull(selectionMark.Text); + Assert.NotNull(selectionMark.State); + Assert.That(selectionMark.Confidence, Is.GreaterThanOrEqualTo(0.0).Within(0.01)); + Assert.That(selectionMark.Confidence, Is.LessThanOrEqualTo(1.0).Within(0.01)); + } + } } } diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsCanAuthenticateWithTokenCredential.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsCanAuthenticateWithTokenCredential.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsCanAuthenticateWithTokenCredential.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsCanAuthenticateWithTokenCredential.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsCanAuthenticateWithTokenCredentialAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsCanAuthenticateWithTokenCredentialAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsCanAuthenticateWithTokenCredentialAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsCanAuthenticateWithTokenCredentialAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsCanParseBlankPage.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsCanParseBlankPage.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsCanParseBlankPage.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsCanParseBlankPage.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsCanParseBlankPageAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsCanParseBlankPageAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsCanParseBlankPageAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsCanParseBlankPageAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsCanParseMultipageForm(False).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsCanParseMultipageForm(False).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsCanParseMultipageForm(False).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsCanParseMultipageForm(False).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsCanParseMultipageForm(False)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsCanParseMultipageForm(False)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsCanParseMultipageForm(False)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsCanParseMultipageForm(False)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsCanParseMultipageForm(True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsCanParseMultipageForm(True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsCanParseMultipageForm(True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsCanParseMultipageForm(True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsCanParseMultipageForm(True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsCanParseMultipageForm(True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsCanParseMultipageForm(True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsCanParseMultipageForm(True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsFromUriThrowsForNonExistingContent.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsFromUriThrowsForNonExistingContent.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsFromUriThrowsForNonExistingContent.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsFromUriThrowsForNonExistingContent.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsFromUriThrowsForNonExistingContentAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsFromUriThrowsForNonExistingContentAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsFromUriThrowsForNonExistingContentAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsFromUriThrowsForNonExistingContentAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsIncludeFieldElements.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsIncludeFieldElements.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsIncludeFieldElements.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsIncludeFieldElements.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsIncludeFieldElementsAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsIncludeFieldElementsAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsIncludeFieldElementsAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsIncludeFieldElementsAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsPopulatesExtractedJpg(False).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsPopulatesExtractedJpg(False).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsPopulatesExtractedJpg(False).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsPopulatesExtractedJpg(False).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsPopulatesExtractedJpg(False)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsPopulatesExtractedJpg(False)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsPopulatesExtractedJpg(False)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsPopulatesExtractedJpg(False)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsPopulatesExtractedJpg(True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsPopulatesExtractedJpg(True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsPopulatesExtractedJpg(True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsPopulatesExtractedJpg(True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsPopulatesExtractedJpg(True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsPopulatesExtractedJpg(True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsPopulatesExtractedJpg(True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsPopulatesExtractedJpg(True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsPopulatesExtractedPng(False).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsPopulatesExtractedPng(False).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsPopulatesExtractedPng(False).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsPopulatesExtractedPng(False).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsPopulatesExtractedPng(False)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsPopulatesExtractedPng(False)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsPopulatesExtractedPng(False)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsPopulatesExtractedPng(False)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsPopulatesExtractedPng(True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsPopulatesExtractedPng(True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsPopulatesExtractedPng(True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsPopulatesExtractedPng(True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsPopulatesExtractedPng(True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsPopulatesExtractedPng(True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsPopulatesExtractedPng(True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsPopulatesExtractedPng(True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsThrowsForDamagedFile.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsThrowsForDamagedFile.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsThrowsForDamagedFile.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsThrowsForDamagedFile.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsThrowsForDamagedFileAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsThrowsForDamagedFileAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsThrowsForDamagedFileAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsThrowsForDamagedFileAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsWithMultiplePageArgument(%1%,%3%,2).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsWithMultiplePageArgument(%1%,%3%,2).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsWithMultiplePageArgument(%1%,%3%,2).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsWithMultiplePageArgument(%1%,%3%,2).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsWithMultiplePageArgument(%1%,%3%,2)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsWithMultiplePageArgument(%1%,%3%,2)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsWithMultiplePageArgument(%1%,%3%,2)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsWithMultiplePageArgument(%1%,%3%,2)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsWithMultiplePageArgument(%1-2%,%3%,3).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsWithMultiplePageArgument(%1-2%,%3%,3).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsWithMultiplePageArgument(%1-2%,%3%,3).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsWithMultiplePageArgument(%1-2%,%3%,3).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsWithMultiplePageArgument(%1-2%,%3%,3)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsWithMultiplePageArgument(%1-2%,%3%,3)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsWithMultiplePageArgument(%1-2%,%3%,3)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsWithMultiplePageArgument(%1-2%,%3%,3)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsWithOnePageArgument(%1%,1).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsWithOnePageArgument(%1%,1).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsWithOnePageArgument(%1%,1).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsWithOnePageArgument(%1%,1).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsWithOnePageArgument(%1%,1)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsWithOnePageArgument(%1%,1)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsWithOnePageArgument(%1%,1)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsWithOnePageArgument(%1%,1)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsWithOnePageArgument(%1-2%,2).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsWithOnePageArgument(%1-2%,2).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsWithOnePageArgument(%1-2%,2).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsWithOnePageArgument(%1-2%,2).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsWithOnePageArgument(%1-2%,2)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsWithOnePageArgument(%1-2%,2)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsWithOnePageArgument(%1-2%,2)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsWithOnePageArgument(%1-2%,2)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsWithSupportedLocale.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsWithSupportedLocale.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsWithSupportedLocale.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsWithSupportedLocale.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsWithSupportedLocaleAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsWithSupportedLocaleAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsWithSupportedLocaleAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsWithSupportedLocaleAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsWithWrongLocale.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsWithWrongLocale.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsWithWrongLocale.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsWithWrongLocale.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsWithWrongLocaleAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsWithWrongLocaleAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeBusinessCardsWithWrongLocaleAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeBusinessCardsLiveTests/StartRecognizeBusinessCardsWithWrongLocaleAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentCanAuthenticateWithTokenCredential.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentCanAuthenticateWithTokenCredential.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentCanAuthenticateWithTokenCredential.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentCanAuthenticateWithTokenCredential.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentCanAuthenticateWithTokenCredentialAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentCanAuthenticateWithTokenCredentialAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentCanAuthenticateWithTokenCredentialAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentCanAuthenticateWithTokenCredentialAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentCanParseBlankPage.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentCanParseBlankPage.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentCanParseBlankPage.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentCanParseBlankPage.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentCanParseBlankPageAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentCanParseBlankPageAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentCanParseBlankPageAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentCanParseBlankPageAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentCanParseMultipageForm(False).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentCanParseMultipageForm(False).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentCanParseMultipageForm(False).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentCanParseMultipageForm(False).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentCanParseMultipageForm(False)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentCanParseMultipageForm(False)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentCanParseMultipageForm(False)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentCanParseMultipageForm(False)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentCanParseMultipageForm(True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentCanParseMultipageForm(True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentCanParseMultipageForm(True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentCanParseMultipageForm(True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentCanParseMultipageForm(True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentCanParseMultipageForm(True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentCanParseMultipageForm(True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentCanParseMultipageForm(True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentCanParseMultipageFormWithBlankPage.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentCanParseMultipageFormWithBlankPage.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentCanParseMultipageFormWithBlankPage.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentCanParseMultipageFormWithBlankPage.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentCanParseMultipageFormWithBlankPageAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentCanParseMultipageFormWithBlankPageAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentCanParseMultipageFormWithBlankPageAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentCanParseMultipageFormWithBlankPageAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentFromUriThrowsForNonExistingContent.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentFromUriThrowsForNonExistingContent.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentFromUriThrowsForNonExistingContent.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentFromUriThrowsForNonExistingContent.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentFromUriThrowsForNonExistingContentAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentFromUriThrowsForNonExistingContentAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentFromUriThrowsForNonExistingContentAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentFromUriThrowsForNonExistingContentAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentPopulatesFormPageJpg(False).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentPopulatesFormPageJpg(False).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentPopulatesFormPageJpg(False).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentPopulatesFormPageJpg(False).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentPopulatesFormPageJpg(False)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentPopulatesFormPageJpg(False)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentPopulatesFormPageJpg(False)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentPopulatesFormPageJpg(False)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentPopulatesFormPageJpg(True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentPopulatesFormPageJpg(True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentPopulatesFormPageJpg(True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentPopulatesFormPageJpg(True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentPopulatesFormPageJpg(True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentPopulatesFormPageJpg(True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentPopulatesFormPageJpg(True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentPopulatesFormPageJpg(True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentPopulatesFormPagePdf(False).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentPopulatesFormPagePdf(False).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentPopulatesFormPagePdf(False).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentPopulatesFormPagePdf(False).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentPopulatesFormPagePdf(False)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentPopulatesFormPagePdf(False)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentPopulatesFormPagePdf(False)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentPopulatesFormPagePdf(False)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentPopulatesFormPagePdf(True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentPopulatesFormPagePdf(True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentPopulatesFormPagePdf(True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentPopulatesFormPagePdf(True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentPopulatesFormPagePdf(True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentPopulatesFormPagePdf(True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentPopulatesFormPagePdf(True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentPopulatesFormPagePdf(True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentThrowsForDamagedFile.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentThrowsForDamagedFile.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentThrowsForDamagedFile.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentThrowsForDamagedFile.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentThrowsForDamagedFileAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentThrowsForDamagedFileAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentThrowsForDamagedFileAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentThrowsForDamagedFileAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithLanguage.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithLanguage.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithLanguage.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithLanguage.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithLanguageAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithLanguageAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithLanguageAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithLanguageAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithMultiplePageArgument(%1%,%3%,2).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithMultiplePageArgument(%1%,%3%,2).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithMultiplePageArgument(%1%,%3%,2).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithMultiplePageArgument(%1%,%3%,2).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithMultiplePageArgument(%1%,%3%,2)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithMultiplePageArgument(%1%,%3%,2)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithMultiplePageArgument(%1%,%3%,2)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithMultiplePageArgument(%1%,%3%,2)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithMultiplePageArgument(%1-2%,%3%,3).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithMultiplePageArgument(%1-2%,%3%,3).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithMultiplePageArgument(%1-2%,%3%,3).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithMultiplePageArgument(%1-2%,%3%,3).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithMultiplePageArgument(%1-2%,%3%,3)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithMultiplePageArgument(%1-2%,%3%,3)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithMultiplePageArgument(%1-2%,%3%,3)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithMultiplePageArgument(%1-2%,%3%,3)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithNoSupporttedLanguage.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithNoSupporttedLanguage.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithNoSupporttedLanguage.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithNoSupporttedLanguage.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithNoSupporttedLanguageAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithNoSupporttedLanguageAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithNoSupporttedLanguageAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithNoSupporttedLanguageAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithOnePageArgument(%1%,1).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithOnePageArgument(%1%,1).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithOnePageArgument(%1%,1).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithOnePageArgument(%1%,1).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithOnePageArgument(%1%,1)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithOnePageArgument(%1%,1)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithOnePageArgument(%1%,1)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithOnePageArgument(%1%,1)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithOnePageArgument(%1-2%,2).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithOnePageArgument(%1-2%,2).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithOnePageArgument(%1-2%,2).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithOnePageArgument(%1-2%,2).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithOnePageArgument(%1-2%,2)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithOnePageArgument(%1-2%,2)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithOnePageArgument(%1-2%,2)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithOnePageArgument(%1-2%,2)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithReadingOrder.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithReadingOrder.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithReadingOrder.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithReadingOrder.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithReadingOrderAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithReadingOrderAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithReadingOrderAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithReadingOrderAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithSelectionMarks(False).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithSelectionMarks(False).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithSelectionMarks(False).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithSelectionMarks(False).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithSelectionMarks(False)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithSelectionMarks(False)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithSelectionMarks(False)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithSelectionMarks(False)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithSelectionMarks(True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithSelectionMarks(True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithSelectionMarks(True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithSelectionMarks(True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithSelectionMarks(True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithSelectionMarks(True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeContentWithSelectionMarks(True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeContentLiveTests/StartRecognizeContentWithSelectionMarks(True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsCanAuthenticateWithTokenCredential(False).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsCanAuthenticateWithTokenCredential(False).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsCanAuthenticateWithTokenCredential(False).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsCanAuthenticateWithTokenCredential(False).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsCanAuthenticateWithTokenCredential(False)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsCanAuthenticateWithTokenCredential(False)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsCanAuthenticateWithTokenCredential(False)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsCanAuthenticateWithTokenCredential(False)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsCanAuthenticateWithTokenCredential(True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsCanAuthenticateWithTokenCredential(True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsCanAuthenticateWithTokenCredential(True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsCanAuthenticateWithTokenCredential(True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsCanAuthenticateWithTokenCredential(True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsCanAuthenticateWithTokenCredential(True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsCanAuthenticateWithTokenCredential(True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsCanAuthenticateWithTokenCredential(True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsFromUriThrowsForNonExistingContent(False).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsFromUriThrowsForNonExistingContent(False).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsFromUriThrowsForNonExistingContent(False).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsFromUriThrowsForNonExistingContent(False).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsFromUriThrowsForNonExistingContent(False)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsFromUriThrowsForNonExistingContent(False)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsFromUriThrowsForNonExistingContent(False)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsFromUriThrowsForNonExistingContent(False)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsFromUriThrowsForNonExistingContent(True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsFromUriThrowsForNonExistingContent(True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsFromUriThrowsForNonExistingContent(True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsFromUriThrowsForNonExistingContent(True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsFromUriThrowsForNonExistingContent(True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsFromUriThrowsForNonExistingContent(True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsFromUriThrowsForNonExistingContent(True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsFromUriThrowsForNonExistingContent(True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsThrowsForDamagedFile(False).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsThrowsForDamagedFile(False).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsThrowsForDamagedFile(False).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsThrowsForDamagedFile(False).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsThrowsForDamagedFile(False)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsThrowsForDamagedFile(False)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsThrowsForDamagedFile(False)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsThrowsForDamagedFile(False)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsThrowsForDamagedFile(True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsThrowsForDamagedFile(True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsThrowsForDamagedFile(True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsThrowsForDamagedFile(True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsThrowsForDamagedFile(True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsThrowsForDamagedFile(True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsThrowsForDamagedFile(True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsThrowsForDamagedFile(True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabels(False,False).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabels(False,False).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabels(False,False).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabels(False,False).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabels(False,False)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabels(False,False)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabels(False,False)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabels(False,False)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabels(False,True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabels(False,True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabels(False,True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabels(False,True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabels(False,True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabels(False,True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabels(False,True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabels(False,True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabels(True,False).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabels(True,False).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabels(True,False).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabels(True,False).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabels(True,False)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabels(True,False)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabels(True,False)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabels(True,False)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabels(True,True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabels(True,True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabels(True,True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabels(True,True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabels(True,True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabels(True,True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabels(True,True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabels(True,True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsAndSelectionMarks(False).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsAndSelectionMarks(False).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsAndSelectionMarks(False).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsAndSelectionMarks(False).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsAndSelectionMarks(False)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsAndSelectionMarks(False)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsAndSelectionMarks(False)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsAndSelectionMarks(False)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsAndSelectionMarks(True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsAndSelectionMarks(True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsAndSelectionMarks(True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsAndSelectionMarks(True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsAndSelectionMarks(True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsAndSelectionMarks(True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsAndSelectionMarks(True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsAndSelectionMarks(True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsCanParseBlankPage.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsCanParseBlankPage.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsCanParseBlankPage.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsCanParseBlankPage.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsCanParseBlankPageAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsCanParseBlankPageAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsCanParseBlankPageAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsCanParseBlankPageAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsCanParseDifferentTypeOfForm.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsCanParseDifferentTypeOfForm.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsCanParseDifferentTypeOfForm.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsCanParseDifferentTypeOfForm.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsCanParseDifferentTypeOfFormAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsCanParseDifferentTypeOfFormAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsCanParseDifferentTypeOfFormAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsCanParseDifferentTypeOfFormAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageForm(False).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageForm(False).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageForm(False).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageForm(False).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageForm(False)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageForm(False)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageForm(False)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageForm(False)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageForm(True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageForm(True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageForm(True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageForm(True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageForm(True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageForm(True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageForm(True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageForm(True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageFormWithBlankPage(False).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageFormWithBlankPage(False).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageFormWithBlankPage(False).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageFormWithBlankPage(False).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageFormWithBlankPage(False)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageFormWithBlankPage(False)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageFormWithBlankPage(False)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageFormWithBlankPage(False)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageFormWithBlankPage(True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageFormWithBlankPage(True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageFormWithBlankPage(True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageFormWithBlankPage(True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageFormWithBlankPage(True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageFormWithBlankPage(True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageFormWithBlankPage(True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithLabelsCanParseMultipageFormWithBlankPage(True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithMultiplePageArgument(%1%,%3%,2).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithMultiplePageArgument(%1%,%3%,2).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithMultiplePageArgument(%1%,%3%,2).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithMultiplePageArgument(%1%,%3%,2).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithMultiplePageArgument(%1%,%3%,2)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithMultiplePageArgument(%1%,%3%,2)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithMultiplePageArgument(%1%,%3%,2)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithMultiplePageArgument(%1%,%3%,2)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithMultiplePageArgument(%1-2%,%3%,3).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithMultiplePageArgument(%1-2%,%3%,3).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithMultiplePageArgument(%1-2%,%3%,3).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithMultiplePageArgument(%1-2%,%3%,3).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithMultiplePageArgument(%1-2%,%3%,3)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithMultiplePageArgument(%1-2%,%3%,3)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithMultiplePageArgument(%1-2%,%3%,3)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithMultiplePageArgument(%1-2%,%3%,3)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithOnePageArgument(%1%,1).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithOnePageArgument(%1%,1).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithOnePageArgument(%1%,1).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithOnePageArgument(%1%,1).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithOnePageArgument(%1%,1)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithOnePageArgument(%1%,1)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithOnePageArgument(%1%,1)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithOnePageArgument(%1%,1)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithOnePageArgument(%1-2%,2).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithOnePageArgument(%1-2%,2).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithOnePageArgument(%1-2%,2).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithOnePageArgument(%1-2%,2).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithOnePageArgument(%1-2%,2)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithOnePageArgument(%1-2%,2)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithOnePageArgument(%1-2%,2)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithOnePageArgument(%1-2%,2)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithTableFixedRows.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithTableFixedRows.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithTableFixedRows.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithTableFixedRows.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithTableFixedRowsAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithTableFixedRowsAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithTableFixedRowsAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithTableFixedRowsAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithTableVariableRows.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithTableVariableRows.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithTableVariableRows.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithTableVariableRows.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithTableVariableRowsAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithTableVariableRowsAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithTableVariableRowsAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithTableVariableRowsAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabels(False,False).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabels(False,False).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabels(False,False).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabels(False,False).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabels(False,False)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabels(False,False)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabels(False,False)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabels(False,False)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabels(False,True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabels(False,True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabels(False,True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabels(False,True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabels(False,True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabels(False,True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabels(False,True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabels(False,True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabels(True,False).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabels(True,False).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabels(True,False).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabels(True,False).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabels(True,False)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabels(True,False)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabels(True,False)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabels(True,False)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabels(True,True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabels(True,True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabels(True,True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabels(True,True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabels(True,True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabels(True,True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabels(True,True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabels(True,True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabelsCanParseBlankPage.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabelsCanParseBlankPage.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabelsCanParseBlankPage.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabelsCanParseBlankPage.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabelsCanParseBlankPageAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabelsCanParseBlankPageAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabelsCanParseBlankPageAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabelsCanParseBlankPageAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabelsCanParseMultipageForm(True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabelsCanParseMultipageForm(True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabelsCanParseMultipageForm(True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabelsCanParseMultipageForm(True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabelsCanParseMultipageForm(True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabelsCanParseMultipageForm(True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabelsCanParseMultipageForm(True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabelsCanParseMultipageForm(True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabelsCanParseMultipageFormWithBlankPage(True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabelsCanParseMultipageFormWithBlankPage(True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabelsCanParseMultipageFormWithBlankPage(True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabelsCanParseMultipageFormWithBlankPage(True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabelsCanParseMultipageFormWithBlankPage(True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabelsCanParseMultipageFormWithBlankPage(True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeCustomFormsWithoutLabelsCanParseMultipageFormWithBlankPage(True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeCustomFormsLiveTests/StartRecognizeCustomFormsWithoutLabelsCanParseMultipageFormWithBlankPage(True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsCanAuthenticateWithTokenCredential.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsCanAuthenticateWithTokenCredential.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsCanAuthenticateWithTokenCredential.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsCanAuthenticateWithTokenCredential.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsCanAuthenticateWithTokenCredentialAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsCanAuthenticateWithTokenCredentialAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsCanAuthenticateWithTokenCredentialAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsCanAuthenticateWithTokenCredentialAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsCanParseBlankPage.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsCanParseBlankPage.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsCanParseBlankPage.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsCanParseBlankPage.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsCanParseBlankPageAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsCanParseBlankPageAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsCanParseBlankPageAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsCanParseBlankPageAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsFromUriThrowsForNonExistingContent.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsFromUriThrowsForNonExistingContent.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsFromUriThrowsForNonExistingContent.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsFromUriThrowsForNonExistingContent.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsFromUriThrowsForNonExistingContentAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsFromUriThrowsForNonExistingContentAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsFromUriThrowsForNonExistingContentAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsFromUriThrowsForNonExistingContentAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsIncludeFieldElements.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsIncludeFieldElements.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsIncludeFieldElements.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsIncludeFieldElements.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsIncludeFieldElementsAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsIncludeFieldElementsAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsIncludeFieldElementsAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsIncludeFieldElementsAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(False).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(False).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(False).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(False).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(False)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(False)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(False)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(False)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsThrowsForDamagedFile.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsThrowsForDamagedFile.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsThrowsForDamagedFile.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsThrowsForDamagedFile.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsThrowsForDamagedFileAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsThrowsForDamagedFileAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeIdDocumentsThrowsForDamagedFileAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsThrowsForDamagedFileAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesCanAuthenticateWithTokenCredential.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesCanAuthenticateWithTokenCredential.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesCanAuthenticateWithTokenCredential.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesCanAuthenticateWithTokenCredential.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesCanAuthenticateWithTokenCredentialAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesCanAuthenticateWithTokenCredentialAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesCanAuthenticateWithTokenCredentialAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesCanAuthenticateWithTokenCredentialAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesCanParseBlankPage.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesCanParseBlankPage.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesCanParseBlankPage.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesCanParseBlankPage.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesCanParseBlankPageAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesCanParseBlankPageAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesCanParseBlankPageAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesCanParseBlankPageAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesCanParseMultipageForm(False).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesCanParseMultipageForm(False).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesCanParseMultipageForm(False).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesCanParseMultipageForm(False).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesCanParseMultipageForm(False)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesCanParseMultipageForm(False)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesCanParseMultipageForm(False)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesCanParseMultipageForm(False)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesCanParseMultipageForm(True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesCanParseMultipageForm(True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesCanParseMultipageForm(True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesCanParseMultipageForm(True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesCanParseMultipageForm(True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesCanParseMultipageForm(True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesCanParseMultipageForm(True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesCanParseMultipageForm(True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesFromUriThrowsForNonExistingContent.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesFromUriThrowsForNonExistingContent.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesFromUriThrowsForNonExistingContent.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesFromUriThrowsForNonExistingContent.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesFromUriThrowsForNonExistingContentAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesFromUriThrowsForNonExistingContentAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesFromUriThrowsForNonExistingContentAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesFromUriThrowsForNonExistingContentAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesIncludeFieldElements.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesIncludeFieldElements.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesIncludeFieldElements.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesIncludeFieldElements.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesIncludeFieldElementsAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesIncludeFieldElementsAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesIncludeFieldElementsAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesIncludeFieldElementsAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesPopulatesExtractedJpg(False).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesPopulatesExtractedJpg(False).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesPopulatesExtractedJpg(False).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesPopulatesExtractedJpg(False).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesPopulatesExtractedJpg(False)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesPopulatesExtractedJpg(False)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesPopulatesExtractedJpg(False)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesPopulatesExtractedJpg(False)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesPopulatesExtractedJpg(True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesPopulatesExtractedJpg(True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesPopulatesExtractedJpg(True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesPopulatesExtractedJpg(True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesPopulatesExtractedJpg(True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesPopulatesExtractedJpg(True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesPopulatesExtractedJpg(True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesPopulatesExtractedJpg(True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesThrowsForDamagedFile.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesThrowsForDamagedFile.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesThrowsForDamagedFile.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesThrowsForDamagedFile.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesThrowsForDamagedFileAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesThrowsForDamagedFileAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesThrowsForDamagedFileAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesThrowsForDamagedFileAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesWithMultiplePageArgument(%1%,%3%,2).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesWithMultiplePageArgument(%1%,%3%,2).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesWithMultiplePageArgument(%1%,%3%,2).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesWithMultiplePageArgument(%1%,%3%,2).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesWithMultiplePageArgument(%1%,%3%,2)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesWithMultiplePageArgument(%1%,%3%,2)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesWithMultiplePageArgument(%1%,%3%,2)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesWithMultiplePageArgument(%1%,%3%,2)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesWithMultiplePageArgument(%1-2%,%3%,3).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesWithMultiplePageArgument(%1-2%,%3%,3).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesWithMultiplePageArgument(%1-2%,%3%,3).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesWithMultiplePageArgument(%1-2%,%3%,3).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesWithMultiplePageArgument(%1-2%,%3%,3)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesWithMultiplePageArgument(%1-2%,%3%,3)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesWithMultiplePageArgument(%1-2%,%3%,3)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesWithMultiplePageArgument(%1-2%,%3%,3)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesWithOnePageArgument(%1%,1).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesWithOnePageArgument(%1%,1).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesWithOnePageArgument(%1%,1).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesWithOnePageArgument(%1%,1).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesWithOnePageArgument(%1%,1)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesWithOnePageArgument(%1%,1)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesWithOnePageArgument(%1%,1)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesWithOnePageArgument(%1%,1)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesWithOnePageArgument(%1-2%,2).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesWithOnePageArgument(%1-2%,2).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesWithOnePageArgument(%1-2%,2).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesWithOnePageArgument(%1-2%,2).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesWithOnePageArgument(%1-2%,2)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesWithOnePageArgument(%1-2%,2)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesWithOnePageArgument(%1-2%,2)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesWithOnePageArgument(%1-2%,2)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesWithSupportedLocale.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesWithSupportedLocale.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesWithSupportedLocale.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesWithSupportedLocale.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesWithSupportedLocaleAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesWithSupportedLocaleAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesWithSupportedLocaleAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesWithSupportedLocaleAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesWithWrongLocale.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesWithWrongLocale.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesWithWrongLocale.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesWithWrongLocale.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesWithWrongLocaleAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesWithWrongLocaleAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeInvoicesWithWrongLocaleAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeInvoicesLiveTests/StartRecognizeInvoicesWithWrongLocaleAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsCanAuthenticateWithTokenCredential.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsCanAuthenticateWithTokenCredential.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsCanAuthenticateWithTokenCredential.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsCanAuthenticateWithTokenCredential.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsCanAuthenticateWithTokenCredentialAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsCanAuthenticateWithTokenCredentialAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsCanAuthenticateWithTokenCredentialAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsCanAuthenticateWithTokenCredentialAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsCanParseBlankPage.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsCanParseBlankPage.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsCanParseBlankPage.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsCanParseBlankPage.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsCanParseBlankPageAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsCanParseBlankPageAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsCanParseBlankPageAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsCanParseBlankPageAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsCanParseMultipageForm(False).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsCanParseMultipageForm(False).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsCanParseMultipageForm(False).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsCanParseMultipageForm(False).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsCanParseMultipageForm(False)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsCanParseMultipageForm(False)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsCanParseMultipageForm(False)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsCanParseMultipageForm(False)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsCanParseMultipageForm(True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsCanParseMultipageForm(True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsCanParseMultipageForm(True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsCanParseMultipageForm(True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsCanParseMultipageForm(True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsCanParseMultipageForm(True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsCanParseMultipageForm(True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsCanParseMultipageForm(True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsCanParseMultipageFormWithBlankPage.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsCanParseMultipageFormWithBlankPage.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsCanParseMultipageFormWithBlankPage.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsCanParseMultipageFormWithBlankPage.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsCanParseMultipageFormWithBlankPageAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsCanParseMultipageFormWithBlankPageAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsCanParseMultipageFormWithBlankPageAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsCanParseMultipageFormWithBlankPageAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsFromUriThrowsForNonExistingContent.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsFromUriThrowsForNonExistingContent.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsFromUriThrowsForNonExistingContent.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsFromUriThrowsForNonExistingContent.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsFromUriThrowsForNonExistingContentAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsFromUriThrowsForNonExistingContentAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsFromUriThrowsForNonExistingContentAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsFromUriThrowsForNonExistingContentAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptJpg(False).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptJpg(False).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptJpg(False).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptJpg(False).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptJpg(False)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptJpg(False)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptJpg(False)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptJpg(False)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptJpg(True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptJpg(True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptJpg(True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptJpg(True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptJpg(True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptJpg(True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptJpg(True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptJpg(True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptPng(False).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptPng(False).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptPng(False).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptPng(False).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptPng(False)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptPng(False)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptPng(False)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptPng(False)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptPng(True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptPng(True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptPng(True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptPng(True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptPng(True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptPng(True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptPng(True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsPopulatesExtractedReceiptPng(True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsThrowsForDamagedFile.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsThrowsForDamagedFile.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsThrowsForDamagedFile.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsThrowsForDamagedFile.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsThrowsForDamagedFileAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsThrowsForDamagedFileAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsThrowsForDamagedFileAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsThrowsForDamagedFileAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsWithMultiplePageArgument(%1%,%3%,2).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsWithMultiplePageArgument(%1%,%3%,2).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsWithMultiplePageArgument(%1%,%3%,2).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsWithMultiplePageArgument(%1%,%3%,2).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsWithMultiplePageArgument(%1%,%3%,2)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsWithMultiplePageArgument(%1%,%3%,2)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsWithMultiplePageArgument(%1%,%3%,2)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsWithMultiplePageArgument(%1%,%3%,2)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsWithMultiplePageArgument(%1-2%,%3%,3).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsWithMultiplePageArgument(%1-2%,%3%,3).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsWithMultiplePageArgument(%1-2%,%3%,3).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsWithMultiplePageArgument(%1-2%,%3%,3).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsWithMultiplePageArgument(%1-2%,%3%,3)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsWithMultiplePageArgument(%1-2%,%3%,3)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsWithMultiplePageArgument(%1-2%,%3%,3)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsWithMultiplePageArgument(%1-2%,%3%,3)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsWithOnePageArgument(%1%,1).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsWithOnePageArgument(%1%,1).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsWithOnePageArgument(%1%,1).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsWithOnePageArgument(%1%,1).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsWithOnePageArgument(%1%,1)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsWithOnePageArgument(%1%,1)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsWithOnePageArgument(%1%,1)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsWithOnePageArgument(%1%,1)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsWithOnePageArgument(%1-2%,2).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsWithOnePageArgument(%1-2%,2).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsWithOnePageArgument(%1-2%,2).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsWithOnePageArgument(%1-2%,2).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsWithOnePageArgument(%1-2%,2)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsWithOnePageArgument(%1-2%,2)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsWithOnePageArgument(%1-2%,2)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsWithOnePageArgument(%1-2%,2)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsWithSupportedLocale.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsWithSupportedLocale.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsWithSupportedLocale.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsWithSupportedLocale.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsWithSupportedLocaleAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsWithSupportedLocaleAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsWithSupportedLocaleAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsWithSupportedLocaleAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsWithWrongLocale.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsWithWrongLocale.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsWithWrongLocale.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsWithWrongLocale.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsWithWrongLocaleAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsWithWrongLocaleAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/FormRecognizerClientLiveTests/StartRecognizeReceiptsWithWrongLocaleAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeReceiptsLiveTests/StartRecognizeReceiptsWithWrongLocaleAsync.json From 68bfcd4a4fbc889e8d865eac1e870037d7acb96a Mon Sep 17 00:00:00 2001 From: Mohit Chakraborty <8271806+Mohit-Chakraborty@users.noreply.github.com> Date: Fri, 30 Apr 2021 17:44:34 -0700 Subject: [PATCH 06/37] Pass default value (1) of query count to service if it is not set explicitly (#20790) Update tests to validate change in behavior --- .../Azure.Search.Documents/src/Options/SearchOptions.cs | 7 +------ .../tests/Models/SearchOptionsTests.cs | 8 ++++---- 2 files changed, 5 insertions(+), 10 deletions(-) diff --git a/sdk/search/Azure.Search.Documents/src/Options/SearchOptions.cs b/sdk/search/Azure.Search.Documents/src/Options/SearchOptions.cs index 5adf31646cc4..206f3e796943 100644 --- a/sdk/search/Azure.Search.Documents/src/Options/SearchOptions.cs +++ b/sdk/search/Azure.Search.Documents/src/Options/SearchOptions.cs @@ -192,12 +192,7 @@ internal string QueryAnswerRaw if (QueryAnswer.HasValue) { - queryAnswerStringValue = QueryAnswer.Value.ToString(); - } - - if (QueryAnswerCount.HasValue) - { - queryAnswerStringValue = $"{queryAnswerStringValue}{QueryAnswerRawSplitter}{QueryAnswerCount.Value}"; + queryAnswerStringValue = $"{QueryAnswer.Value}{QueryAnswerRawSplitter}{QueryAnswerCount.GetValueOrDefault(1)}"; } return queryAnswerStringValue; diff --git a/sdk/search/Azure.Search.Documents/tests/Models/SearchOptionsTests.cs b/sdk/search/Azure.Search.Documents/tests/Models/SearchOptionsTests.cs index e98377ea5bde..8021f365680d 100644 --- a/sdk/search/Azure.Search.Documents/tests/Models/SearchOptionsTests.cs +++ b/sdk/search/Azure.Search.Documents/tests/Models/SearchOptionsTests.cs @@ -55,11 +55,11 @@ public void QueryAnswerOptionWithNoCount() Assert.IsNull(searchOptions.QueryAnswerRaw); searchOptions.QueryAnswer = QueryAnswer.None; - Assert.AreEqual($"{QueryAnswer.None}", searchOptions.QueryAnswerRaw); + Assert.AreEqual($"{QueryAnswer.None}|count-1", searchOptions.QueryAnswerRaw); Assert.IsNull(searchOptions.QueryAnswerCount); searchOptions.QueryAnswer = QueryAnswer.Extractive; - Assert.AreEqual($"{QueryAnswer.Extractive}", searchOptions.QueryAnswerRaw); + Assert.AreEqual($"{QueryAnswer.Extractive}|count-1", searchOptions.QueryAnswerRaw); Assert.IsNull(searchOptions.QueryAnswerCount); searchOptions.QueryAnswerRaw = "none"; @@ -77,11 +77,11 @@ public void QueryAnswerOptionWithOnlyCount() Assert.IsNull(searchOptions.QueryAnswerRaw); searchOptions.QueryAnswerCount = 0; - Assert.AreEqual($"|count-{searchOptions.QueryAnswerCount}", searchOptions.QueryAnswerRaw); + Assert.IsNull(searchOptions.QueryAnswerRaw); Assert.IsNull(searchOptions.QueryAnswer); searchOptions.QueryAnswerCount = 100; - Assert.AreEqual($"|count-{searchOptions.QueryAnswerCount}", searchOptions.QueryAnswerRaw); + Assert.IsNull(searchOptions.QueryAnswerRaw); Assert.IsNull(searchOptions.QueryAnswer); searchOptions.QueryAnswerRaw = "|count-3"; From d14007e3296e7da698caa2342a7f2c20c0a0d18b Mon Sep 17 00:00:00 2001 From: minnieliu Date: Fri, 30 Apr 2021 18:18:44 -0700 Subject: [PATCH 07/37] [Communication] - ALL - Add subscription configuration to tests.yml (#20781) * Adding Subscription Configurations to tests.yml * Fix formatting * Updating tset-resources.json * Fix formatting * Fix indent * Add extra line * Revert test-resources.json * Change back test-resources.json * Change back test-resources.json * Cleanup test-resources * Adressed review comments * Fix pipeline Co-authored-by: Minnie Liu --- sdk/communication/test-resources.json | 34 +++++++++++++++++++++++++++ sdk/communication/tests.yml | 16 ++++++------- 2 files changed, 41 insertions(+), 9 deletions(-) diff --git a/sdk/communication/test-resources.json b/sdk/communication/test-resources.json index 1c662a5cecbd..3efb4c5864ff 100644 --- a/sdk/communication/test-resources.json +++ b/sdk/communication/test-resources.json @@ -13,11 +13,33 @@ "defaultValue": "communication", "type": "string" }, + "subscriptionId": { + "defaultValue": "[subscription().subscriptionId]", + "type": "string" + }, "testApplicationOid": { "type": "string", "metadata": { "description": "The client OID to grant access to test resources." } + }, + "tenantId": { + "type": "string", + "metadata": { + "description": "The tenant id to which the application and resources belong." + } + }, + "testApplicationId": { + "type": "string", + "metadata": { + "description": "The application client id used to run tests." + } + }, + "testApplicationSecret": { + "type": "string", + "metadata": { + "description": "The application client secret used to run tests." + } } }, "variables": { @@ -46,6 +68,18 @@ } ], "outputs": { + "AZURE_TENANT_ID": { + "type": "string", + "value": "[parameters('tenantId')]" + }, + "AZURE_CLIENT_ID": { + "type": "string", + "value": "[parameters('testApplicationId')]" + }, + "AZURE_CLIENT_SECRET": { + "type": "string", + "value": "[parameters('testApplicationSecret')]" + }, "COMMUNICATION_CONNECTION_STRING": { "type": "string", "value": "[listKeys(resourceId('Microsoft.Communication/CommunicationServices',variables('uniqueSubDomainName')), '2020-08-20-preview').primaryConnectionString]" diff --git a/sdk/communication/tests.yml b/sdk/communication/tests.yml index 22e24ebaa9b6..7963a0312e16 100644 --- a/sdk/communication/tests.yml +++ b/sdk/communication/tests.yml @@ -16,16 +16,14 @@ extends: template: ../../eng/pipelines/templates/stages/archetype-sdk-tests.yml parameters: ServiceDirectory: communication - Clouds: ACS_Public CloudConfig: - ACS_Public: - SubscriptionConfiguration: $(sub-config-communication-services-cloud-test-resources) + Public: + SubscriptionConfigurations: + - $(sub-config-azure-cloud-test-resources) + - $(sub-config-communication-services-cloud-test-resources-common) + - $(sub-config-communication-services-cloud-test-resources-net) + Clouds: Public EnvVars: - AZURE_TENANT_ID: $(COMMUNICATION_TENANT_ID) - AZURE_CLIENT_ID: $(COMMUNICATION_CLIENT_ID) - AZURE_CLIENT_SECRET: $(COMMUNICATION_CLIENT_SECRET) - AZURE_COMMUNICATION_LIVETEST_CONNECTION_STRING: $(communication-livetest-connection-string) - AZURE_PHONE_NUMBER: $(net-communication-livetest-phone-number) # SKIP_PHONENUMBER_LIVE_TESTS skips certain phone number tests such as purchase and release SKIP_PHONENUMBER_LIVE_TESTS: TRUE - TEST_PACKAGES_ENABLED: ${{ parameters.TestPackagesEnabled }} + TEST_PACKAGES_ENABLED: ${{ parameters.TestPackagesEnabled }} \ No newline at end of file From 9a4c3ac59dfb7b08562325afc43b85ad3150891f Mon Sep 17 00:00:00 2001 From: JoshLove-msft <54595583+JoshLove-msft@users.noreply.github.com> Date: Fri, 30 Apr 2021 21:58:55 -0700 Subject: [PATCH 08/37] Respect webproxy from config (#20743) * Respect webproxy from config * PR FB * Rename to ClientRetryOptions for consistency with EH * Fix test * Fix test * PR FB * Export API * Update dependency * Update reference * Use ToString for URI * Revert ToString * Fix JSON deserialization issue * Remove unused code --- eng/Packages.Data.props | 4 +- ....WebJobs.Extensions.EventGrid.Tests.csproj | 1 + ...obs.Extensions.EventHubs.netstandard2.0.cs | 4 +- .../src/Config/EventHubOptions.cs | 66 ++++++++++++++---- .../EventHubWebJobsBuilderExtensions.cs | 7 ++ .../tests/EventHubConfigurationTests.cs | 40 +++++++---- .../tests/EventHubsClientFactoryTests.cs | 21 +++--- ....WebJobs.Extensions.EventHubs.Tests.csproj | 1 + ...re.WebJobs.Extensions.Clients.Tests.csproj | 1 + .../tests/shared/TestHelpers.cs | 19 ++++- ...bs.Extensions.ServiceBus.netstandard2.0.cs | 4 +- .../Config/ServiceBusHostBuilderExtensions.cs | 7 ++ .../src/Config/ServiceBusOptions.cs | 29 ++++---- .../ServiceBusHostBuilderExtensionsTests.cs | 69 ++++++++++++------- ...WebJobs.Extensions.ServiceBus.Tests.csproj | 1 + .../tests/ServiceBusEndToEndTests.cs | 2 +- .../tests/WebJobsServiceBusTestBase.cs | 2 +- 17 files changed, 194 insertions(+), 84 deletions(-) diff --git a/eng/Packages.Data.props b/eng/Packages.Data.props index c6a8021960da..7e2e0030a8a4 100644 --- a/eng/Packages.Data.props +++ b/eng/Packages.Data.props @@ -189,8 +189,8 @@ - - + + diff --git a/sdk/eventgrid/Microsoft.Azure.WebJobs.Extensions.EventGrid/tests/Microsoft.Azure.WebJobs.Extensions.EventGrid.Tests.csproj b/sdk/eventgrid/Microsoft.Azure.WebJobs.Extensions.EventGrid/tests/Microsoft.Azure.WebJobs.Extensions.EventGrid.Tests.csproj index b6c69f24d753..34b107262ecb 100644 --- a/sdk/eventgrid/Microsoft.Azure.WebJobs.Extensions.EventGrid/tests/Microsoft.Azure.WebJobs.Extensions.EventGrid.Tests.csproj +++ b/sdk/eventgrid/Microsoft.Azure.WebJobs.Extensions.EventGrid/tests/Microsoft.Azure.WebJobs.Extensions.EventGrid.Tests.csproj @@ -11,6 +11,7 @@ + diff --git a/sdk/eventhub/Microsoft.Azure.WebJobs.Extensions.EventHubs/api/Microsoft.Azure.WebJobs.Extensions.EventHubs.netstandard2.0.cs b/sdk/eventhub/Microsoft.Azure.WebJobs.Extensions.EventHubs/api/Microsoft.Azure.WebJobs.Extensions.EventHubs.netstandard2.0.cs index 3fbea83a801a..7ca43b37241a 100644 --- a/sdk/eventhub/Microsoft.Azure.WebJobs.Extensions.EventHubs/api/Microsoft.Azure.WebJobs.Extensions.EventHubs.netstandard2.0.cs +++ b/sdk/eventhub/Microsoft.Azure.WebJobs.Extensions.EventHubs/api/Microsoft.Azure.WebJobs.Extensions.EventHubs.netstandard2.0.cs @@ -25,7 +25,7 @@ public partial class EventHubOptions : Microsoft.Azure.WebJobs.Hosting.IOptionsF public EventHubOptions() { } public int BatchCheckpointFrequency { get { throw null; } set { } } public Azure.Messaging.EventHubs.EventHubsRetryOptions ClientRetryOptions { get { throw null; } set { } } - public Azure.Messaging.EventHubs.EventHubConnectionOptions ConnectionOptions { get { throw null; } set { } } + public System.Uri CustomEndpointAddress { get { throw null; } set { } } public Microsoft.Azure.WebJobs.EventHubs.InitialOffsetOptions InitialOffsetOptions { get { throw null; } } public System.TimeSpan LoadBalancingUpdateInterval { get { throw null; } set { } } public int MaxBatchSize { get { throw null; } set { } } @@ -33,6 +33,8 @@ public EventHubOptions() { } public int PrefetchCount { get { throw null; } set { } } public long? PrefetchSizeInBytes { get { throw null; } set { } } public bool TrackLastEnqueuedEventProperties { get { throw null; } set { } } + public Azure.Messaging.EventHubs.EventHubsTransportType TransportType { get { throw null; } set { } } + public System.Net.IWebProxy WebProxy { get { throw null; } set { } } string Microsoft.Azure.WebJobs.Hosting.IOptionsFormatter.Format() { throw null; } } public partial class InitialOffsetOptions diff --git a/sdk/eventhub/Microsoft.Azure.WebJobs.Extensions.EventHubs/src/Config/EventHubOptions.cs b/sdk/eventhub/Microsoft.Azure.WebJobs.Extensions.EventHubs/src/Config/EventHubOptions.cs index 0bef5713297b..797fabc7fb34 100644 --- a/sdk/eventhub/Microsoft.Azure.WebJobs.Extensions.EventHubs/src/Config/EventHubOptions.cs +++ b/sdk/eventhub/Microsoft.Azure.WebJobs.Extensions.EventHubs/src/Config/EventHubOptions.cs @@ -2,6 +2,7 @@ // Licensed under the MIT License. See License.txt in the project root for license information. using System; +using System.Net; using Azure.Messaging.EventHubs; using Azure.Messaging.EventHubs.Consumer; using Azure.Messaging.EventHubs.Primitives; @@ -18,6 +19,10 @@ public class EventHubOptions : IOptionsFormatter public EventHubOptions() { MaxBatchSize = 10; + ConnectionOptions = new EventHubConnectionOptions() + { + TransportType = EventHubsTransportType.AmqpTcp + }; EventProcessorOptions = new EventProcessorOptions() { TrackLastEnqueuedEventProperties = false, @@ -25,20 +30,55 @@ public EventHubOptions() LoadBalancingStrategy = LoadBalancingStrategy.Greedy, PrefetchCount = 300, DefaultStartingPosition = EventPosition.Earliest, + ConnectionOptions = ConnectionOptions }; InitialOffsetOptions = new InitialOffsetOptions(); } internal EventProcessorOptions EventProcessorOptions { get; } + internal EventHubConnectionOptions ConnectionOptions { get; } + + /// + /// The type of protocol and transport that will be used for communicating with the Event Hubs + /// service. + /// + /// + public EventHubsTransportType TransportType + { + get => ConnectionOptions.TransportType; + set => ConnectionOptions.TransportType = value; + } + + /// + /// The proxy to use for communication over web sockets. + /// + /// + /// + /// A proxy cannot be used for communication over TCP; if web sockets are not in + /// use, specifying a proxy is an invalid option. + /// + public IWebProxy WebProxy + { + get => ConnectionOptions.Proxy; + set => ConnectionOptions.Proxy = value; + } + /// - /// The options used for configuring the connection to the Event Hubs service. + /// The address to use for establishing a connection to the Event Hubs service, allowing network requests to be + /// routed through any application gateways or other paths needed for the host environment. /// /// - public EventHubConnectionOptions ConnectionOptions + /// + /// This address will override the default endpoint of the Event Hubs namespace when making the network request + /// to the service. The default endpoint specified in a connection string or by a fully qualified namespace will + /// still be needed to negotiate the connection with the Event Hubs service. + /// + /// + public Uri CustomEndpointAddress { - get => EventProcessorOptions.ConnectionOptions; - set => EventProcessorOptions.ConnectionOptions = value; + get => ConnectionOptions.CustomEndpointAddress; + set => ConnectionOptions.CustomEndpointAddress = value; } /// @@ -154,7 +194,8 @@ string IOptionsFormatter.Format() { { nameof(MaxBatchSize), MaxBatchSize }, { nameof(BatchCheckpointFrequency), BatchCheckpointFrequency }, - { nameof(ConnectionOptions), ConstructConnectionOptions() }, + { nameof(TransportType), TransportType.ToString()}, + { nameof(WebProxy), WebProxy is WebProxy proxy ? proxy.Address.AbsoluteUri : string.Empty }, { nameof(ClientRetryOptions), ConstructRetryOptions() }, { nameof(TrackLastEnqueuedEventProperties), TrackLastEnqueuedEventProperties }, { nameof(PrefetchCount), PrefetchCount }, @@ -163,16 +204,17 @@ string IOptionsFormatter.Format() { nameof(LoadBalancingUpdateInterval), LoadBalancingUpdateInterval }, { nameof(InitialOffsetOptions), ConstructInitialOffsetOptions() }, }; + // Only include if not null since it would otherwise not round-trip correctly due to + // https://github.com/dotnet/runtime/issues/36510. Once this issue is fixed, it can be included + // unconditionally. + if (CustomEndpointAddress != null) + { + options.Add(nameof(CustomEndpointAddress), CustomEndpointAddress?.AbsoluteUri); + } + return options.ToString(Formatting.Indented); } - private JObject ConstructConnectionOptions() => - new JObject - { - { nameof(EventHubConnectionOptions.TransportType), ConnectionOptions.TransportType.ToString() }, - { nameof(EventHubConnectionOptions.Proxy), ConnectionOptions.Proxy?.ToString() ?? string.Empty}, - }; - private JObject ConstructRetryOptions() => new JObject { diff --git a/sdk/eventhub/Microsoft.Azure.WebJobs.Extensions.EventHubs/src/Config/EventHubWebJobsBuilderExtensions.cs b/sdk/eventhub/Microsoft.Azure.WebJobs.Extensions.EventHubs/src/Config/EventHubWebJobsBuilderExtensions.cs index a49f59de049f..8a27ec5e7453 100644 --- a/sdk/eventhub/Microsoft.Azure.WebJobs.Extensions.EventHubs/src/Config/EventHubWebJobsBuilderExtensions.cs +++ b/sdk/eventhub/Microsoft.Azure.WebJobs.Extensions.EventHubs/src/Config/EventHubWebJobsBuilderExtensions.cs @@ -3,6 +3,7 @@ using System; using System.Globalization; +using System.Net; using Azure.Messaging.EventHubs.Consumer; using Microsoft.Azure.WebJobs; using Microsoft.Azure.WebJobs.EventHubs; @@ -71,6 +72,12 @@ public static IWebJobsBuilder AddEventHubs(this IWebJobsBuilder builder, Action< { options.LoadBalancingUpdateInterval = renewInterval.Value; } + + var proxy = section.GetValue("WebProxy"); + if (!string.IsNullOrEmpty(proxy)) + { + options.WebProxy = new WebProxy(proxy); + } }) .BindOptions(); diff --git a/sdk/eventhub/Microsoft.Azure.WebJobs.Extensions.EventHubs/tests/EventHubConfigurationTests.cs b/sdk/eventhub/Microsoft.Azure.WebJobs.Extensions.EventHubs/tests/EventHubConfigurationTests.cs index 0ff75d086daf..0442e68ccc6b 100644 --- a/sdk/eventhub/Microsoft.Azure.WebJobs.Extensions.EventHubs/tests/EventHubConfigurationTests.cs +++ b/sdk/eventhub/Microsoft.Azure.WebJobs.Extensions.EventHubs/tests/EventHubConfigurationTests.cs @@ -4,6 +4,7 @@ using System; using System.Collections.Generic; using System.Linq; +using System.Net; using Azure.Messaging.EventHubs; using Azure.Messaging.EventHubs.Processor; using Microsoft.Azure.WebJobs.EventHubs.Processor; @@ -21,6 +22,7 @@ public class EventHubConfigurationTests private ILoggerFactory _loggerFactory; private TestLoggerProvider _loggerProvider; private readonly string _template = " An exception of type '{0}' was thrown. This exception type is typically a result of Event Hub processor rebalancing or a transient error and can be safely ignored."; + private const string ExtensionPath = "AzureWebJobs:Extensions:EventHubs"; [SetUp] public void SetUp() @@ -49,17 +51,23 @@ public void ConfigureOptions_AppliesValuesCorrectly() Assert.AreEqual(TimeSpan.FromMinutes(1), options.ClientRetryOptions.MaximumDelay); Assert.AreEqual(TimeSpan.FromSeconds(90), options.ClientRetryOptions.TryTimeout); Assert.AreEqual(EventHubsRetryMode.Fixed, options.ClientRetryOptions.Mode); - Assert.AreEqual(EventHubsTransportType.AmqpWebSockets, options.ConnectionOptions.TransportType); + Assert.AreEqual(EventHubsTransportType.AmqpWebSockets, options.TransportType); + Assert.AreEqual("http://proxyserver:8080/", ((WebProxy) options.WebProxy).Address.AbsoluteUri); + Assert.AreEqual("http://www.customendpoint.com/", options.CustomEndpointAddress.ToString()); } [Test] public void ConfigureOptions_Format_Returns_Expected() { EventHubOptions options = CreateOptionsFromConfig(); + JObject jObject = new JObject + { + {ExtensionPath, JObject.Parse(((IOptionsFormatter) options).Format())} + }; - string format = ((IOptionsFormatter)options).Format(); - JObject iObj = JObject.Parse(format); - EventHubOptions result = iObj.ToObject(); + EventHubOptions result = TestHelpers.GetConfiguredOptions( + b => { b.AddEventHubs(); }, + jsonStream: new BinaryData(jObject.ToString()).ToStream()); Assert.AreEqual(123, result.MaxBatchSize); Assert.AreEqual(5, result.BatchCheckpointFrequency); @@ -74,7 +82,9 @@ public void ConfigureOptions_Format_Returns_Expected() Assert.AreEqual(TimeSpan.FromMinutes(1), result.ClientRetryOptions.MaximumDelay); Assert.AreEqual(TimeSpan.FromSeconds(90), result.ClientRetryOptions.TryTimeout); Assert.AreEqual(EventHubsRetryMode.Fixed, result.ClientRetryOptions.Mode); - Assert.AreEqual(EventHubsTransportType.AmqpWebSockets, result.ConnectionOptions.TransportType); + Assert.AreEqual(EventHubsTransportType.AmqpWebSockets, result.TransportType); + Assert.AreEqual("http://proxyserver:8080/", ((WebProxy) result.WebProxy).Address.AbsoluteUri); + Assert.AreEqual("http://www.customendpoint.com/", result.CustomEndpointAddress.AbsoluteUri); } [Test] @@ -97,9 +107,14 @@ public void ConfigureOptions_Format_Returns_Expected_BackCompat() { EventHubOptions options = CreateOptionsFromConfigBackCompat(); - string format = ((IOptionsFormatter)options).Format(); - JObject iObj = JObject.Parse(format); - EventHubOptions result = iObj.ToObject(); + JObject jObject = new JObject + { + {ExtensionPath, JObject.Parse(((IOptionsFormatter) options).Format())} + }; + + EventHubOptions result = TestHelpers.GetConfiguredOptions( + b => { b.AddEventHubs(); }, + jsonStream: new BinaryData(jObject.ToString()).ToStream()); Assert.AreEqual(123, result.MaxBatchSize); Assert.AreEqual(5, result.BatchCheckpointFrequency); @@ -185,7 +200,6 @@ public void ParseInitialOffsetWithInvalidType_ThrowsInvalidOperationException() [Test] public void ParseInitialOffsetWithInvalidTime_ThrowsInvalidOperationException() { - string extensionPath = "AzureWebJobs:Extensions:EventHubs"; Assert.That( () => TestHelpers.GetConfiguredOptions( b => @@ -194,8 +208,8 @@ public void ParseInitialOffsetWithInvalidTime_ThrowsInvalidOperationException() }, new Dictionary { - { $"{extensionPath}:InitialOffsetOptions:Type", "fromEnqueuedTime" }, - { $"{extensionPath}:InitialOffsetOptions:EnqueuedTimeUtc", "not a valid time" }, + { $"{ExtensionPath}:InitialOffsetOptions:Type", "fromEnqueuedTime" }, + { $"{ExtensionPath}:InitialOffsetOptions:EnqueuedTimeUtc", "not a valid time" }, }), Throws.InvalidOperationException); } @@ -219,7 +233,9 @@ private EventHubOptions CreateOptionsFromConfig() { $"{extensionPath}:ClientRetryOptions:MaxDelay", "00:01:00" }, { $"{extensionPath}:ClientRetryOptions:TryTimeout", "00:01:30" }, { $"{extensionPath}:ClientRetryOptions:Mode", "0" }, - { $"{extensionPath}:ConnectionOptions:TransportType", "1" }, + { $"{extensionPath}:TransportType", "1" }, + { $"{extensionPath}:WebProxy", "http://proxyserver:8080/" }, + { $"{extensionPath}:CustomEndpointAddress", "http://www.customendpoint.com/" }, }; return TestHelpers.GetConfiguredOptions(b => diff --git a/sdk/eventhub/Microsoft.Azure.WebJobs.Extensions.EventHubs/tests/EventHubsClientFactoryTests.cs b/sdk/eventhub/Microsoft.Azure.WebJobs.Extensions.EventHubs/tests/EventHubsClientFactoryTests.cs index d40f504f7d20..4caaf1027daf 100644 --- a/sdk/eventhub/Microsoft.Azure.WebJobs.Extensions.EventHubs/tests/EventHubsClientFactoryTests.cs +++ b/sdk/eventhub/Microsoft.Azure.WebJobs.Extensions.EventHubs/tests/EventHubsClientFactoryTests.cs @@ -3,6 +3,7 @@ using System; using System.Collections.Generic; +using System.Net; using System.Reflection; using Azure.Identity; using Azure.Messaging.EventHubs; @@ -129,10 +130,7 @@ public void RespectsConnectionOptionsForProducer(string expectedPathName, string var testEndpoint = new Uri("http://mycustomendpoint.com"); EventHubOptions options = new EventHubOptions { - ConnectionOptions = new EventHubConnectionOptions - { - CustomEndpointAddress = testEndpoint - }, + CustomEndpointAddress = testEndpoint, ClientRetryOptions = new EventHubsRetryOptions { MaximumRetries = 10 @@ -162,10 +160,7 @@ public void RespectsConnectionOptionsForConsumer(string expectedPathName, string var testEndpoint = new Uri("http://mycustomendpoint.com"); EventHubOptions options = new EventHubOptions { - ConnectionOptions = new EventHubConnectionOptions - { - CustomEndpointAddress = testEndpoint - }, + CustomEndpointAddress = testEndpoint, ClientRetryOptions = new EventHubsRetryOptions { MaximumRetries = 10 @@ -207,10 +202,9 @@ public void RespectsConnectionOptionsForProcessor(string expectedPathName, strin var testEndpoint = new Uri("http://mycustomendpoint.com"); EventHubOptions options = new EventHubOptions { - ConnectionOptions = new EventHubConnectionOptions - { - CustomEndpointAddress = testEndpoint - }, + CustomEndpointAddress = testEndpoint, + TransportType = EventHubsTransportType.AmqpWebSockets, + WebProxy = new WebProxy("http://proxyserver/"), ClientRetryOptions = new EventHubsRetryOptions { MaximumRetries = 10 @@ -225,7 +219,8 @@ public void RespectsConnectionOptionsForProcessor(string expectedPathName, strin .GetProperty("Options", BindingFlags.NonPublic | BindingFlags.Instance) .GetValue(processor); Assert.AreEqual(testEndpoint, processorOptions.ConnectionOptions.CustomEndpointAddress); - + Assert.AreEqual(EventHubsTransportType.AmqpWebSockets, processorOptions.ConnectionOptions.TransportType); + Assert.AreEqual("http://proxyserver/", ((WebProxy)processorOptions.ConnectionOptions.Proxy).Address.AbsoluteUri); Assert.AreEqual(10, processorOptions.RetryOptions.MaximumRetries); Assert.AreEqual(expectedPathName, processor.EventHubName); } diff --git a/sdk/eventhub/Microsoft.Azure.WebJobs.Extensions.EventHubs/tests/Microsoft.Azure.WebJobs.Extensions.EventHubs.Tests.csproj b/sdk/eventhub/Microsoft.Azure.WebJobs.Extensions.EventHubs/tests/Microsoft.Azure.WebJobs.Extensions.EventHubs.Tests.csproj index 6a0cc92cf527..5de0b55d593d 100644 --- a/sdk/eventhub/Microsoft.Azure.WebJobs.Extensions.EventHubs/tests/Microsoft.Azure.WebJobs.Extensions.EventHubs.Tests.csproj +++ b/sdk/eventhub/Microsoft.Azure.WebJobs.Extensions.EventHubs/tests/Microsoft.Azure.WebJobs.Extensions.EventHubs.Tests.csproj @@ -12,6 +12,7 @@ + diff --git a/sdk/extensions/Microsoft.Azure.WebJobs.Extensions.Clients/tests/Microsoft.Azure.WebJobs.Extensions.Clients.Tests.csproj b/sdk/extensions/Microsoft.Azure.WebJobs.Extensions.Clients/tests/Microsoft.Azure.WebJobs.Extensions.Clients.Tests.csproj index 6644bd100628..fac6c6b6f168 100644 --- a/sdk/extensions/Microsoft.Azure.WebJobs.Extensions.Clients/tests/Microsoft.Azure.WebJobs.Extensions.Clients.Tests.csproj +++ b/sdk/extensions/Microsoft.Azure.WebJobs.Extensions.Clients/tests/Microsoft.Azure.WebJobs.Extensions.Clients.Tests.csproj @@ -9,6 +9,7 @@ + diff --git a/sdk/extensions/Microsoft.Azure.WebJobs.Extensions.Clients/tests/shared/TestHelpers.cs b/sdk/extensions/Microsoft.Azure.WebJobs.Extensions.Clients/tests/shared/TestHelpers.cs index 6d8d54f6a9d6..daf4ca24cf51 100644 --- a/sdk/extensions/Microsoft.Azure.WebJobs.Extensions.Clients/tests/shared/TestHelpers.cs +++ b/sdk/extensions/Microsoft.Azure.WebJobs.Extensions.Clients/tests/shared/TestHelpers.cs @@ -4,6 +4,7 @@ using System; using System.Collections.Generic; using System.Diagnostics; +using System.IO; using System.Linq; using System.Reflection; using System.Threading; @@ -11,11 +12,13 @@ using Microsoft.Azure.WebJobs.Host.Config; using Microsoft.Azure.WebJobs.Host.Indexers; using Microsoft.Azure.WebJobs.Host.Timers; +using Microsoft.Azure.WebJobs.Hosting; using Microsoft.Extensions.Configuration; using Microsoft.Extensions.DependencyInjection; using Microsoft.Extensions.Hosting; using Microsoft.Extensions.Logging; using Microsoft.Extensions.Options; +using Newtonsoft.Json.Linq; using NUnit.Framework; namespace Microsoft.Azure.WebJobs.Host.TestCommon @@ -38,8 +41,13 @@ public static IServiceCollection AddSingletonIfNotNull(this IServiceCollectio /// The options type to configure. /// Delegate used to configure the target extension. /// Set of test configuration values to apply. + /// A stream containing configuration in JSON format. /// - public static TOptions GetConfiguredOptions(Action configure, Dictionary configValues) where TOptions : class, new() + public static TOptions GetConfiguredOptions( + Action configure, + Dictionary configValues = default, + Stream jsonStream = default) + where TOptions : class, new() { IHost host = new HostBuilder() .ConfigureDefaultTestHost(b => @@ -48,7 +56,14 @@ public static IServiceCollection AddSingletonIfNotNull(this IServiceCollectio }) .ConfigureAppConfiguration(cb => { - cb.AddInMemoryCollection(configValues); + if (configValues != null) + { + cb.AddInMemoryCollection(configValues); + } + if (jsonStream != null) + { + cb.AddJsonStream(jsonStream); + } }) .Build(); diff --git a/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/api/Microsoft.Azure.WebJobs.Extensions.ServiceBus.netstandard2.0.cs b/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/api/Microsoft.Azure.WebJobs.Extensions.ServiceBus.netstandard2.0.cs index e96e56ec0621..41df15111a39 100644 --- a/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/api/Microsoft.Azure.WebJobs.Extensions.ServiceBus.netstandard2.0.cs +++ b/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/api/Microsoft.Azure.WebJobs.Extensions.ServiceBus.netstandard2.0.cs @@ -83,17 +83,17 @@ public partial class ServiceBusOptions : Microsoft.Azure.WebJobs.Hosting.IOption { public ServiceBusOptions() { } public bool AutoCompleteMessages { get { throw null; } set { } } + public Azure.Messaging.ServiceBus.ServiceBusRetryOptions ClientRetryOptions { get { throw null; } set { } } public System.Func ExceptionHandler { get { throw null; } set { } } public System.TimeSpan MaxAutoLockRenewalDuration { get { throw null; } set { } } public int MaxConcurrentCalls { get { throw null; } set { } } public int MaxConcurrentSessions { get { throw null; } set { } } public int MaxMessages { get { throw null; } set { } } public int PrefetchCount { get { throw null; } set { } } - public Azure.Messaging.ServiceBus.ServiceBusRetryOptions RetryOptions { get { throw null; } set { } } public System.TimeSpan? SessionIdleTimeout { get { throw null; } set { } } public Azure.Messaging.ServiceBus.ServiceBusTransportType TransportType { get { throw null; } set { } } public System.Net.IWebProxy WebProxy { get { throw null; } set { } } - public string Format() { throw null; } + string Microsoft.Azure.WebJobs.Hosting.IOptionsFormatter.Format() { throw null; } } public partial class ServiceBusSessionMessageActions : Microsoft.Azure.WebJobs.ServiceBus.ServiceBusMessageActions { diff --git a/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/src/Config/ServiceBusHostBuilderExtensions.cs b/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/src/Config/ServiceBusHostBuilderExtensions.cs index 6d9a184d8393..331ea25b3227 100644 --- a/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/src/Config/ServiceBusHostBuilderExtensions.cs +++ b/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/src/Config/ServiceBusHostBuilderExtensions.cs @@ -2,6 +2,7 @@ // Licensed under the MIT License. See License.txt in the project root for license information. using System; +using System.Net; using Microsoft.Azure.WebJobs; using Microsoft.Azure.WebJobs.Extensions.ServiceBus.Config; using Microsoft.Azure.WebJobs.ServiceBus; @@ -74,6 +75,12 @@ public static IWebJobsBuilder AddServiceBus(this IWebJobsBuilder builder, Action "SessionHandlerOptions:MaxConcurrentSessions", options.MaxConcurrentSessions); + var proxy = section.GetValue("WebProxy"); + if (!string.IsNullOrEmpty(proxy)) + { + options.WebProxy = new WebProxy(proxy); + } + options.SessionIdleTimeout = section.GetValue("SessionHandlerOptions:MessageWaitTime", options.SessionIdleTimeout); section.Bind(options); diff --git a/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/src/Config/ServiceBusOptions.cs b/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/src/Config/ServiceBusOptions.cs index d3ac2f9e5ac7..0e9bb0b5f07d 100644 --- a/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/src/Config/ServiceBusOptions.cs +++ b/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/src/Config/ServiceBusOptions.cs @@ -34,16 +34,16 @@ public ServiceBusOptions() /// if so, the amount of time to wait between retry attempts. These options also control the /// amount of time allowed for receiving messages and other interactions with the Service Bus service. /// - public ServiceBusRetryOptions RetryOptions + public ServiceBusRetryOptions ClientRetryOptions { - get => _retryOptions; + get => _clientRetryOptions; set { - Argument.AssertNotNull(value, nameof(RetryOptions)); - _retryOptions = value; + Argument.AssertNotNull(value, nameof(ClientRetryOptions)); + _clientRetryOptions = value; } } - private ServiceBusRetryOptions _retryOptions = new ServiceBusRetryOptions(); + private ServiceBusRetryOptions _clientRetryOptions = new ServiceBusRetryOptions(); /// /// The type of protocol and transport that will be used for communicating with the Service Bus @@ -60,7 +60,6 @@ public ServiceBusRetryOptions RetryOptions /// A proxy cannot be used for communication over TCP; if web sockets are not in /// use, specifying a proxy is an invalid option. /// - /// public IWebProxy WebProxy { get; set; } /// @@ -144,23 +143,23 @@ public int MaxConcurrentSessions /// Formats the options as JSON objects for display. /// /// Options formatted as JSON. - public string Format() + string IOptionsFormatter.Format() { // Do not include ConnectionString in loggable options. var retryOptions = new JObject { - { nameof(ServiceBusClientOptions.RetryOptions.Mode), RetryOptions.Mode.ToString() }, - { nameof(ServiceBusClientOptions.RetryOptions.TryTimeout), RetryOptions.TryTimeout }, - { nameof(ServiceBusClientOptions.RetryOptions.Delay), RetryOptions.Delay }, - { nameof(ServiceBusClientOptions.RetryOptions.MaxDelay), RetryOptions.MaxDelay }, - { nameof(ServiceBusClientOptions.RetryOptions.MaxRetries), RetryOptions.MaxRetries }, + { nameof(ServiceBusClientOptions.RetryOptions.Mode), ClientRetryOptions.Mode.ToString() }, + { nameof(ServiceBusClientOptions.RetryOptions.TryTimeout), ClientRetryOptions.TryTimeout }, + { nameof(ServiceBusClientOptions.RetryOptions.Delay), ClientRetryOptions.Delay }, + { nameof(ServiceBusClientOptions.RetryOptions.MaxDelay), ClientRetryOptions.MaxDelay }, + { nameof(ServiceBusClientOptions.RetryOptions.MaxRetries), ClientRetryOptions.MaxRetries }, }; JObject options = new JObject { - { nameof(RetryOptions), retryOptions }, + { nameof(ClientRetryOptions), retryOptions }, { nameof(TransportType), TransportType.ToString()}, - { nameof(WebProxy), WebProxy?.ToString() ?? string.Empty }, + { nameof(WebProxy), WebProxy is WebProxy proxy ? proxy.Address.AbsoluteUri : string.Empty }, { nameof(AutoCompleteMessages), AutoCompleteMessages }, { nameof(PrefetchCount), PrefetchCount }, { nameof(MaxAutoLockRenewalDuration), MaxAutoLockRenewalDuration }, @@ -202,7 +201,7 @@ internal ServiceBusSessionProcessorOptions ToSessionProcessorOptions() => internal ServiceBusClientOptions ToClientOptions() => new ServiceBusClientOptions { - RetryOptions = RetryOptions, + RetryOptions = ClientRetryOptions, WebProxy = WebProxy, TransportType = TransportType }; diff --git a/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/tests/Config/ServiceBusHostBuilderExtensionsTests.cs b/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/tests/Config/ServiceBusHostBuilderExtensionsTests.cs index 7180c9ef7218..16a8f171b17b 100644 --- a/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/tests/Config/ServiceBusHostBuilderExtensionsTests.cs +++ b/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/tests/Config/ServiceBusHostBuilderExtensionsTests.cs @@ -4,12 +4,13 @@ using System; using System.Collections.Generic; using System.Linq; +using System.Net; +using Azure.Messaging.ServiceBus; using Microsoft.Azure.WebJobs.Host; using Microsoft.Azure.WebJobs.Host.Config; using Microsoft.Azure.WebJobs.Host.TestCommon; +using Microsoft.Azure.WebJobs.Hosting; using Microsoft.Azure.WebJobs.ServiceBus.Config; -using Microsoft.Extensions.Configuration; -using Microsoft.Extensions.Configuration.EnvironmentVariables; using Microsoft.Extensions.DependencyInjection; using Microsoft.Extensions.Hosting; using Microsoft.Extensions.Options; @@ -20,6 +21,8 @@ namespace Microsoft.Azure.WebJobs.ServiceBus.UnitTests.Config { public class ServiceBusHostBuilderExtensionsTests { + private const string ExtensionPath = "AzureWebJobs:Extensions:ServiceBus"; + [Test] public void ConfigureOptions_AppliesValuesCorrectly_BackCompat() { @@ -35,10 +38,17 @@ public void ConfigureOptions_AppliesValuesCorrectly_BackCompat() public void ConfigureOptions_Format_Returns_Expected_BackCompat() { ServiceBusOptions options = CreateOptionsFromConfigBackCompat(); + JObject jObject = new JObject + { + { ExtensionPath, JObject.Parse(((IOptionsFormatter)options).Format()) } + }; - string format = options.Format(); - JObject iObj = JObject.Parse(format); - ServiceBusOptions result = iObj.ToObject(); + ServiceBusOptions result = TestHelpers.GetConfiguredOptions( + b => + { + b.AddServiceBus(); + }, + jsonStream: new BinaryData(jObject.ToString()).ToStream()); Assert.AreEqual(123, result.PrefetchCount); @@ -56,35 +66,49 @@ public void ConfigureOptions_AppliesValuesCorrectly() Assert.AreEqual(123, options.MaxConcurrentCalls); Assert.False(options.AutoCompleteMessages); Assert.AreEqual(TimeSpan.FromSeconds(15), options.MaxAutoLockRenewalDuration); + Assert.AreEqual(ServiceBusTransportType.AmqpWebSockets, options.TransportType); + Assert.AreEqual("http://proxyserver:8080/", ((WebProxy)options.WebProxy).Address.AbsoluteUri); + Assert.AreEqual(10, options.ClientRetryOptions.MaxRetries); } [Test] public void ConfigureOptions_Format_Returns_Expected() { ServiceBusOptions options = CreateOptionsFromConfig(); + JObject jObject = new JObject + { + { ExtensionPath, JObject.Parse(((IOptionsFormatter)options).Format()) } + }; - string format = options.Format(); - JObject iObj = JObject.Parse(format); - ServiceBusOptions result = iObj.ToObject(); + ServiceBusOptions result = TestHelpers.GetConfiguredOptions( + b => + { + b.AddServiceBus(); + }, + jsonStream: new BinaryData(jObject.ToString()).ToStream()); Assert.AreEqual(123, result.PrefetchCount); Assert.AreEqual(123, result.MaxConcurrentCalls); Assert.False(result.AutoCompleteMessages); Assert.AreEqual(TimeSpan.FromSeconds(15), result.MaxAutoLockRenewalDuration); + Assert.AreEqual("http://proxyserver:8080/", ((WebProxy)result.WebProxy).Address.AbsoluteUri); + Assert.AreEqual(10, result.ClientRetryOptions.MaxRetries); } private static ServiceBusOptions CreateOptionsFromConfig() { - string extensionPath = "AzureWebJobs:Extensions:ServiceBus"; var values = new Dictionary { - { $"{extensionPath}:PrefetchCount", "123" }, + { $"{ExtensionPath}:PrefetchCount", "123" }, { $"ConnectionStrings:ServiceBus", "TestConnectionString" }, - { $"{extensionPath}:MaxConcurrentCalls", "123" }, - { $"{extensionPath}:AutoCompleteMessages", "false" }, - { $"{extensionPath}:MaxAutoLockRenewalDuration", "00:00:15" }, - { $"{extensionPath}:MaxConcurrentSessions", "123" }, + { $"{ExtensionPath}:MaxConcurrentCalls", "123" }, + { $"{ExtensionPath}:AutoCompleteMessages", "false" }, + { $"{ExtensionPath}:MaxAutoLockRenewalDuration", "00:00:15" }, + { $"{ExtensionPath}:MaxConcurrentSessions", "123" }, + { $"{ExtensionPath}:TransportType", "AmqpWebSockets" }, + { $"{ExtensionPath}:WebProxy", "http://proxyserver:8080/" }, + { $"{ExtensionPath}:ClientRetryOptions:MaxRetries", "10" }, }; ServiceBusOptions options = TestHelpers.GetConfiguredOptions(b => @@ -96,18 +120,17 @@ private static ServiceBusOptions CreateOptionsFromConfig() private static ServiceBusOptions CreateOptionsFromConfigBackCompat() { - string extensionPath = "AzureWebJobs:Extensions:ServiceBus"; var values = new Dictionary { - { $"{extensionPath}:PrefetchCount", "123" }, + { $"{ExtensionPath}:PrefetchCount", "123" }, { $"ConnectionStrings:ServiceBus", "TestConnectionString" }, - { $"{extensionPath}:MessageHandlerOptions:MaxConcurrentCalls", "123" }, - { $"{extensionPath}:MessageHandlerOptions:AutoComplete", "false" }, - { $"{extensionPath}:MessageHandlerOptions:MaxAutoRenewDuration", "00:00:15" }, - { $"{extensionPath}:SessionHandlerOptions:MaxConcurrentSessions", "123" }, - { $"{extensionPath}:BatchOptions:OperationTimeout","00:00:15" }, - { $"{extensionPath}:BatchOptions:MaxMessageCount", "123" }, - { $"{extensionPath}:BatchOptions:AutoComplete", "true" }, + { $"{ExtensionPath}:MessageHandlerOptions:MaxConcurrentCalls", "123" }, + { $"{ExtensionPath}:MessageHandlerOptions:AutoComplete", "false" }, + { $"{ExtensionPath}:MessageHandlerOptions:MaxAutoRenewDuration", "00:00:15" }, + { $"{ExtensionPath}:SessionHandlerOptions:MaxConcurrentSessions", "123" }, + { $"{ExtensionPath}:BatchOptions:OperationTimeout","00:00:15" }, + { $"{ExtensionPath}:BatchOptions:MaxMessageCount", "123" }, + { $"{ExtensionPath}:BatchOptions:AutoComplete", "true" }, }; ServiceBusOptions options = TestHelpers.GetConfiguredOptions(b => diff --git a/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/tests/Microsoft.Azure.WebJobs.Extensions.ServiceBus.Tests.csproj b/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/tests/Microsoft.Azure.WebJobs.Extensions.ServiceBus.Tests.csproj index 173133989f99..567e33776588 100644 --- a/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/tests/Microsoft.Azure.WebJobs.Extensions.ServiceBus.Tests.csproj +++ b/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/tests/Microsoft.Azure.WebJobs.Extensions.ServiceBus.Tests.csproj @@ -16,6 +16,7 @@ + diff --git a/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/tests/ServiceBusEndToEndTests.cs b/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/tests/ServiceBusEndToEndTests.cs index 7994917bccfb..1e0629d199d0 100644 --- a/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/tests/ServiceBusEndToEndTests.cs +++ b/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/tests/ServiceBusEndToEndTests.cs @@ -426,7 +426,7 @@ private async Task ServiceBusEndToEndInternal(IHost host) " \"MaxConcurrentSessions\": 8,", " \"MaxMessages\": 1000,", " \"SessionIdleTimeout\": \"\"", - " \"RetryOptions\": {", + " \"ClientRetryOptions\": {", " \"Mode\": \"Exponential\",", " \"TryTimeout\": \"00:00:10\",", " \"Delay\": \"00:00:00.8000000\",", diff --git a/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/tests/WebJobsServiceBusTestBase.cs b/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/tests/WebJobsServiceBusTestBase.cs index 044f0d64b307..7fe2fc351186 100644 --- a/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/tests/WebJobsServiceBusTestBase.cs +++ b/sdk/servicebus/Microsoft.Azure.WebJobs.Extensions.ServiceBus/tests/WebJobsServiceBusTestBase.cs @@ -151,7 +151,7 @@ public async Task FixtureTearDown() }) .ConfigureDefaultTestHost(b => { - b.AddServiceBus(options => options.RetryOptions.TryTimeout = TimeSpan.FromSeconds(10)); + b.AddServiceBus(options => options.ClientRetryOptions.TryTimeout = TimeSpan.FromSeconds(10)); }) .ConfigureServices(s => { From 4eaed83d7e196d7295f7d9e258900c9840673507 Mon Sep 17 00:00:00 2001 From: Azure SDK Bot <53356347+azure-sdk@users.noreply.github.com> Date: Sun, 2 May 2021 17:50:03 -0700 Subject: [PATCH 09/37] Sync eng/common directory with azure-sdk-tools for PR 1579 (#20740) * Allow propogation of SetDevVersion. * Allow use of SetDevVersion locally and across stages. Co-authored-by: Mitch Denny --- .../pipelines/templates/steps/daily-dev-build-variable.yml | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/eng/common/pipelines/templates/steps/daily-dev-build-variable.yml b/eng/common/pipelines/templates/steps/daily-dev-build-variable.yml index bf78cd06a080..6c15aded264e 100644 --- a/eng/common/pipelines/templates/steps/daily-dev-build-variable.yml +++ b/eng/common/pipelines/templates/steps/daily-dev-build-variable.yml @@ -22,3 +22,7 @@ steps: echo "##vso[task.setvariable variable=SetDevVersion]$setDailyDevBuild" displayName: "Setup Versioning Properties" condition: eq(variables['SetDevVersion'], '') +- pwsh: | + echo "##vso[task.setvariable variable=SetDevVersion;isOutput=true]$(SetDevVersion)" + name: VersioningProperties + displayName: "Export Versioning Properties" \ No newline at end of file From 793f822150df146c6ca624241436e82fa6ab5a6c Mon Sep 17 00:00:00 2001 From: Mitch Denny Date: Mon, 3 May 2021 12:31:56 +1000 Subject: [PATCH 10/37] Propogate SetDevVersion. --- eng/pipelines/templates/stages/archetype-net-release.yml | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/eng/pipelines/templates/stages/archetype-net-release.yml b/eng/pipelines/templates/stages/archetype-net-release.yml index d94ddebb2c75..13f8914cdd28 100644 --- a/eng/pipelines/templates/stages/archetype-net-release.yml +++ b/eng/pipelines/templates/stages/archetype-net-release.yml @@ -41,6 +41,8 @@ stages: - stage: Release_${{artifact.safeName}} displayName: 'Release: ${{artifact.name}}' dependsOn: Signing + variables: + SetDevVersion: $[stageDependencies.Build.Build.outputs['VersioningProperties.SetDevVersion']] condition: and(succeeded(), ne(variables['SetDevVersion'], 'true'), ne(variables['Skip.Release'], 'true'), ne(variables['Build.Repository.Name'], 'Azure/azure-sdk-for-net-pr')) jobs: - deployment: TagRepository @@ -239,6 +241,8 @@ stages: - stage: Integration dependsOn: Signing + variables: + SetDevVersion: $[stageDependencies.Build.Build.outputs['VersioningProperties.SetDevVersion']] jobs: - job: PublishPackages condition: and(eq(variables['SetDevVersion'], 'true'), eq(variables['System.TeamProject'], 'internal')) From ad52f8e04a1798ff0aa8b7a5197a67f9fdf2318f Mon Sep 17 00:00:00 2001 From: Krzysztof Cwalina Date: Mon, 3 May 2021 08:45:40 -0700 Subject: [PATCH 11/37] Added ContentType Extensible Enum (#20768) * Added ContentType Extensible Enum * Update sdk/core/Azure.Core.Experimental/src/ContentType.cs Co-authored-by: Pavel Krymets * Updated API file Co-authored-by: Pavel Krymets --- .../Azure.Core.Experimental.netstandard2.0.cs | 18 ++++ .../src/ContentType.cs | 87 +++++++++++++++++++ .../tests/ContentTypeTests.cs | 43 +++++++++ 3 files changed, 148 insertions(+) create mode 100644 sdk/core/Azure.Core.Experimental/src/ContentType.cs create mode 100644 sdk/core/Azure.Core.Experimental/tests/ContentTypeTests.cs diff --git a/sdk/core/Azure.Core.Experimental/api/Azure.Core.Experimental.netstandard2.0.cs b/sdk/core/Azure.Core.Experimental/api/Azure.Core.Experimental.netstandard2.0.cs index 6a77f926e270..f1e85527d870 100644 --- a/sdk/core/Azure.Core.Experimental/api/Azure.Core.Experimental.netstandard2.0.cs +++ b/sdk/core/Azure.Core.Experimental/api/Azure.Core.Experimental.netstandard2.0.cs @@ -18,6 +18,24 @@ public enum ResponseStatusOption } namespace Azure.Core { + [System.Runtime.InteropServices.StructLayoutAttribute(System.Runtime.InteropServices.LayoutKind.Sequential)] + public readonly partial struct ContentType : System.IEquatable, System.IEquatable + { + private readonly object _dummy; + private readonly int _dummyPrimitive; + public ContentType(string contentType) { throw null; } + public static Azure.Core.ContentType ApplicationJson { get { throw null; } } + public static Azure.Core.ContentType ApplicationOctetStream { get { throw null; } } + public static Azure.Core.ContentType TextPlain { get { throw null; } } + public bool Equals(Azure.Core.ContentType other) { throw null; } + public override bool Equals(object? obj) { throw null; } + public bool Equals(string other) { throw null; } + public override int GetHashCode() { throw null; } + public static bool operator ==(Azure.Core.ContentType left, Azure.Core.ContentType right) { throw null; } + public static implicit operator Azure.Core.ContentType (string contentType) { throw null; } + public static bool operator !=(Azure.Core.ContentType left, Azure.Core.ContentType right) { throw null; } + public override string ToString() { throw null; } + } [System.Diagnostics.DebuggerDisplayAttribute("Content: {_body}")] public partial class DynamicContent : Azure.Core.RequestContent { diff --git a/sdk/core/Azure.Core.Experimental/src/ContentType.cs b/sdk/core/Azure.Core.Experimental/src/ContentType.cs new file mode 100644 index 000000000000..4ed52f3803ac --- /dev/null +++ b/sdk/core/Azure.Core.Experimental/src/ContentType.cs @@ -0,0 +1,87 @@ +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License. + +using System; + +namespace Azure.Core +{ + /// + /// Represents content type. + /// + public readonly struct ContentType : IEquatable, IEquatable + { + private readonly string _contentType; + + /// + /// application/json + /// + public static ContentType ApplicationJson { get; } = new ContentType("application/json"); + + /// + /// application/json + /// + public static ContentType ApplicationOctetStream { get; } = new ContentType("application/octet-stream"); + + /// + /// application/json + /// + public static ContentType TextPlain { get; } = new ContentType("text/plain"); + + /// + /// Creates an instance of . + /// + /// The content type string. + public ContentType(string contentType) + { + Argument.AssertNotNull(contentType, nameof(contentType)); + + _contentType = contentType; + } + + /// + /// Creates an instance of . + /// + /// The content type string. + public static implicit operator ContentType(string contentType) => new ContentType(contentType); + + /// + public bool Equals(ContentType other) + { + return string.Equals(_contentType, other._contentType, StringComparison.Ordinal); + } + + /// + public bool Equals(string other) + => string.Equals(_contentType, _contentType, StringComparison.Ordinal); + + /// + public override bool Equals(object? obj) + => (obj is ContentType other && Equals(other)) || + (obj is string str && str.Equals(_contentType, StringComparison.Ordinal)); + + /// + public override int GetHashCode() + => _contentType?.GetHashCode() ?? 0; + + /// + /// Compares equality of two instances. + /// + /// The method to compare. + /// The method to compare against. + /// true if values are equal for and , otherwise false. + public static bool operator ==(ContentType left, ContentType right) + => left.Equals(right); + + /// + /// Compares inequality of two instances. + /// + /// The method to compare. + /// The method to compare against. + /// true if values are equal for and , otherwise false. + public static bool operator !=(ContentType left, ContentType right) + => !left.Equals(right); + + /// + public override string ToString() => _contentType == null?"":_contentType; + } +} diff --git a/sdk/core/Azure.Core.Experimental/tests/ContentTypeTests.cs b/sdk/core/Azure.Core.Experimental/tests/ContentTypeTests.cs new file mode 100644 index 000000000000..3a62aa4084be --- /dev/null +++ b/sdk/core/Azure.Core.Experimental/tests/ContentTypeTests.cs @@ -0,0 +1,43 @@ +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License. + +using NUnit.Framework; + +namespace Azure.Core.Tests +{ + public class ContentTypeTests + { + [Test] + public void Basics() + { + ContentType contentType = default; + Assert.AreEqual("", contentType.ToString()); + Assert.IsTrue(contentType.Equals(null)); + Assert.IsTrue(contentType.Equals(new ContentType())); + + string aj = "application/json"; + contentType = ContentType.ApplicationJson; + Assert.AreEqual(aj, contentType.ToString()); + Assert.IsTrue(contentType.Equals(aj)); + Assert.IsTrue(contentType.Equals(new ContentType(aj))); + Assert.IsTrue(contentType.Equals((object)aj)); + Assert.IsTrue(contentType.Equals((object)new ContentType(aj))); + + string aos = "application/octet-stream"; + contentType = ContentType.ApplicationOctetStream; + Assert.AreEqual(aos, contentType.ToString()); + Assert.IsTrue(contentType.Equals(aos)); + Assert.IsTrue(contentType.Equals(new ContentType(aos))); + Assert.IsTrue(contentType.Equals((object)aos)); + Assert.IsTrue(contentType.Equals((object)new ContentType(aos))); + + string pt = "text/plain"; + contentType = ContentType.TextPlain; + Assert.AreEqual(pt, contentType.ToString()); + Assert.IsTrue(contentType.Equals(pt)); + Assert.IsTrue(contentType.Equals(new ContentType(pt))); + Assert.IsTrue(contentType.Equals((object)pt)); + Assert.IsTrue(contentType.Equals((object)new ContentType(pt))); + } + } +} From 40377072f29fd8ec3b1304916a06db148bead7b7 Mon Sep 17 00:00:00 2001 From: Mariana Rios Flores Date: Mon, 3 May 2021 09:42:56 -0700 Subject: [PATCH 12/37] recognizeContentTests (#20794) --- .../tests/FormRecognizerClient/RecognizeContentLiveTests.cs | 6 ------ .../tests/Infrastructure/FormRecognizerLiveTestBase.cs | 5 ++++- 2 files changed, 4 insertions(+), 7 deletions(-) diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeContentLiveTests.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeContentLiveTests.cs index e5eaa3b31367..b5eb062a5f86 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeContentLiveTests.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeContentLiveTests.cs @@ -26,7 +26,6 @@ public RecognizeContentLiveTests(bool isAsync, FormRecognizerClientOptions.Servi } [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] public async Task StartRecognizeContentCanAuthenticateWithTokenCredential() { var client = CreateFormRecognizerClient(useTokenCredential: true); @@ -276,7 +275,6 @@ public async Task StartRecognizeContentPopulatesFormPageJpg(bool useStream) [RecordedTest] [TestCase(true)] [TestCase(false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] public async Task StartRecognizeContentCanParseMultipageForm(bool useStream) { var client = CreateFormRecognizerClient(); @@ -316,7 +314,6 @@ public async Task StartRecognizeContentCanParseMultipageForm(bool useStream) } [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] public async Task StartRecognizeContentCanParseBlankPage() { var client = CreateFormRecognizerClient(); @@ -340,7 +337,6 @@ public async Task StartRecognizeContentCanParseBlankPage() } [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] public async Task StartRecognizeContentCanParseMultipageFormWithBlankPage() { var client = CreateFormRecognizerClient(); @@ -380,7 +376,6 @@ public async Task StartRecognizeContentCanParseMultipageFormWithBlankPage() } [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] public void StartRecognizeContentThrowsForDamagedFile() { var client = CreateFormRecognizerClient(); @@ -399,7 +394,6 @@ public void StartRecognizeContentThrowsForDamagedFile() /// Recognizer cognitive service and handle returned errors. /// [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] public void StartRecognizeContentFromUriThrowsForNonExistingContent() { var client = CreateFormRecognizerClient(); diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/Infrastructure/FormRecognizerLiveTestBase.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/Infrastructure/FormRecognizerLiveTestBase.cs index 58ab3bbfb486..e7c60cfeaf9d 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/Infrastructure/FormRecognizerLiveTestBase.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/Infrastructure/FormRecognizerLiveTestBase.cs @@ -265,7 +265,10 @@ protected void ValidateFormPage(FormPage formPage, bool includeFieldElements, in Assert.AreEqual(expectedPageNumber, table.PageNumber); Assert.Greater(table.ColumnCount, 0); Assert.Greater(table.RowCount, 0); - Assert.AreEqual(4, table.BoundingBox.Points.Count()); + if (_serviceVersion != FormRecognizerClientOptions.ServiceVersion.V2_0) + { + Assert.AreEqual(4, table.BoundingBox.Points.Count()); + } Assert.NotNull(table.Cells); From 4dc0560452e5c21ecf81e0a2a11e20ec7200b44e Mon Sep 17 00:00:00 2001 From: Azure SDK Bot <53356347+azure-sdk@users.noreply.github.com> Date: Mon, 3 May 2021 10:28:52 -0700 Subject: [PATCH 13/37] Sync eng/common directory with azure-sdk-tools for PR 1524 (#20769) * Make RELEASE_TITLE_REGEX more specific * Update eng/common/scripts/ChangeLog-Operations.ps1 Co-authored-by: Wes Haggard * Update release REGEX * tighten up changelog verification * Ensure releaseDate is in the appriopriate format. * Update error messages. * Retrun false after error Co-authored-by: Chidozie Ononiwu Co-authored-by: Chidozie Ononiwu <31145988+chidozieononiwu@users.noreply.github.com> Co-authored-by: Wes Haggard --- eng/common/scripts/ChangeLog-Operations.ps1 | 16 +++++++++++++--- 1 file changed, 13 insertions(+), 3 deletions(-) diff --git a/eng/common/scripts/ChangeLog-Operations.ps1 b/eng/common/scripts/ChangeLog-Operations.ps1 index 0f02790ce45f..8547791afc44 100644 --- a/eng/common/scripts/ChangeLog-Operations.ps1 +++ b/eng/common/scripts/ChangeLog-Operations.ps1 @@ -2,7 +2,7 @@ . "${PSScriptRoot}\logging.ps1" . "${PSScriptRoot}\SemVer.ps1" -$RELEASE_TITLE_REGEX = "(?^\#+.*(?\b\d+\.\d+\.\d+([^0-9\s][^\s:]+)?)(\s+(?\(.*\)))?)" +$RELEASE_TITLE_REGEX = "(?^\#+\s+(?$([AzureEngSemanticVersion]::SEMVER_REGEX))(\s+(?\(.+\))))" $CHANGELOG_UNRELEASED_STATUS = "(Unreleased)" $CHANGELOG_DATE_FORMAT = "yyyy-MM-dd" @@ -120,7 +120,17 @@ function Confirm-ChangeLogEntry { else { $status = $changeLogEntry.ReleaseStatus.Trim().Trim("()") try { - [DateTime]$status + $releaseDate = [DateTime]$status + if ($status -ne ($releaseDate.ToString($CHANGELOG_DATE_FORMAT))) + { + LogError "Date must be in the format $($CHANGELOG_DATE_FORMAT)" + return $false + } + if (((Get-Date).AddMonths(-1) -gt $releaseDate) -or ($releaseDate -gt (Get-Date).AddMonths(1))) + { + LogError "The date must be within +/- one month from today." + return $false + } } catch { LogError "Invalid date [ $status ] passed as status for Version [$($changeLogEntry.ReleaseVersion)]." @@ -212,4 +222,4 @@ function Set-ChangeLogContent { } Set-Content -Path $ChangeLogLocation -Value $changeLogContent -} \ No newline at end of file +} From d9201df9d836db920ba3e5c3ce5979f3b4c4997c Mon Sep 17 00:00:00 2001 From: nichatur <69816349+nichatur@users.noreply.github.com> Date: Mon, 3 May 2021 11:10:03 -0700 Subject: [PATCH 14/37] SDK Tests for Cosmos DB API Version 2021-04-15 (#20699) --- .../cosmos-db_resource-manager.txt | 8 +- .../AzSdk.RP.props | 2 +- .../Generated/CassandraClustersOperations.cs | 2572 ----------------- .../CassandraClustersOperationsExtensions.cs | 653 ----- .../CassandraDataCentersOperations.cs | 1476 ---------- ...assandraDataCentersOperationsExtensions.cs | 411 --- .../src/Generated/CosmosDBManagementClient.cs | 66 +- .../Generated/ICassandraClustersOperations.cs | 411 --- .../ICassandraDataCentersOperations.cs | 260 -- .../Generated/ICosmosDBManagementClient.cs | 53 +- .../IRestorableDatabaseAccountsOperations.cs | 105 - ...IRestorableMongodbCollectionsOperations.cs | 61 - .../IRestorableMongodbDatabasesOperations.cs | 58 - .../IRestorableMongodbResourcesOperations.cs | 64 - .../IRestorableSqlContainersOperations.cs | 61 - .../IRestorableSqlDatabasesOperations.cs | 58 - .../IRestorableSqlResourcesOperations.cs | 64 - .../Generated/Models/ARMResourceProperties.cs | 8 +- .../src/Generated/Models/ApiType.cs | 26 - .../Generated/Models/AuthenticationMethod.cs | 22 - .../src/Generated/Models/BackupResource.cs | 54 - .../Models/BackupResourceProperties.cs | 50 - .../Models/BackupStorageRedundancy.cs | 23 - ...CassandraKeyspaceCreateUpdateParameters.cs | 4 +- .../Models/CassandraKeyspaceGetResults.cs | 4 +- .../CassandraTableCreateUpdateParameters.cs | 4 +- .../Models/CassandraTableGetResults.cs | 4 +- .../src/Generated/Models/Certificate.cs | 48 - .../src/Generated/Models/ClusterNodeStatus.cs | 56 - .../Models/ClusterNodeStatusNodesItem.cs | 138 - .../src/Generated/Models/ClusterResource.cs | 61 - .../Models/ClusterResourceProperties.cs | 254 -- .../src/Generated/Models/CreateMode.cs | 22 - .../src/Generated/Models/CreatedByType.cs | 24 - .../Generated/Models/DataCenterResource.cs | 57 - .../Models/DataCenterResourceProperties.cs | 136 - .../DatabaseAccountCreateUpdateParameters.cs | 269 +- .../DatabaseAccountCreateUpdateProperties.cs | 299 -- .../Models/DatabaseAccountGetResults.cs | 62 +- .../Models/DatabaseAccountUpdateParameters.cs | 28 +- .../Models/DatabaseRestoreResource.cs | 63 - ...stDatabaseAccountCreateUpdateProperties.cs | 105 - .../GremlinDatabaseCreateUpdateParameters.cs | 4 +- .../Models/GremlinDatabaseGetResults.cs | 4 +- .../GremlinGraphCreateUpdateParameters.cs | 4 +- .../Models/GremlinGraphGetResults.cs | 4 +- .../ManagedCassandraProvisioningState.cs | 26 - ...MongoDBCollectionCreateUpdateParameters.cs | 4 +- .../Models/MongoDBCollectionGetResults.cs | 4 +- .../MongoDBDatabaseCreateUpdateParameters.cs | 4 +- .../Models/MongoDBDatabaseGetResults.cs | 4 +- .../src/Generated/Models/NodeState.cs | 25 - .../src/Generated/Models/NodeStatus.cs | 22 - .../src/Generated/Models/OperationType.cs | 24 - .../Models/PeriodicModeProperties.cs | 13 +- .../src/Generated/Models/RepairPostBody.cs | 78 - .../RestorableDatabaseAccountGetResult.cs | 136 - .../Models/RestorableLocationResource.cs | 82 - .../RestorableMongodbCollectionGetResult.cs | 83 - ...ableMongodbCollectionPropertiesResource.cs | 91 - .../RestorableMongodbDatabaseGetResult.cs | 83 - ...orableMongodbDatabasePropertiesResource.cs | 91 - .../Models/RestorableSqlContainerGetResult.cs | 95 - ...estorableSqlContainerPropertiesResource.cs | 113 - ...SqlContainerPropertiesResourceContainer.cs | 169 -- .../Models/RestorableSqlDatabaseGetResult.cs | 95 - ...RestorableSqlDatabasePropertiesResource.cs | 113 - ...leSqlDatabasePropertiesResourceDatabase.cs | 126 - .../src/Generated/Models/RestoreMode.cs | 21 - .../src/Generated/Models/RestoreParameters.cs | 86 - ...stDatabaseAccountCreateUpdateProperties.cs | 115 - .../src/Generated/Models/SeedNode.cs | 48 - .../SqlContainerCreateUpdateParameters.cs | 4 +- .../Models/SqlContainerGetResults.cs | 4 +- .../SqlDatabaseCreateUpdateParameters.cs | 4 +- .../Generated/Models/SqlDatabaseGetResults.cs | 4 +- ...qlStoredProcedureCreateUpdateParameters.cs | 4 +- .../Models/SqlStoredProcedureGetResults.cs | 4 +- .../SqlTriggerCreateUpdateParameters.cs | 4 +- .../Generated/Models/SqlTriggerGetResults.cs | 4 +- ...erDefinedFunctionCreateUpdateParameters.cs | 4 +- .../SqlUserDefinedFunctionGetResults.cs | 4 +- .../src/Generated/Models/SystemData.cs | 103 - .../Models/TableCreateUpdateParameters.cs | 4 +- .../src/Generated/Models/TableGetResults.cs | 4 +- .../Models/ThroughputSettingsGetResults.cs | 4 +- .../ThroughputSettingsUpdateParameters.cs | 4 +- .../RestorableDatabaseAccountsOperations.cs | 666 ----- ...bleDatabaseAccountsOperationsExtensions.cs | 147 - .../RestorableMongodbCollectionsOperations.cs | 276 -- ...eMongodbCollectionsOperationsExtensions.cs | 81 - .../RestorableMongodbDatabasesOperations.cs | 269 -- ...bleMongodbDatabasesOperationsExtensions.cs | 77 - .../RestorableMongodbResourcesOperations.cs | 284 -- ...bleMongodbResourcesOperationsExtensions.cs | 87 - .../RestorableSqlContainersOperations.cs | 276 -- ...orableSqlContainersOperationsExtensions.cs | 81 - .../RestorableSqlDatabasesOperations.cs | 269 -- ...torableSqlDatabasesOperationsExtensions.cs | 77 - .../RestorableSqlResourcesOperations.cs | 284 -- ...torableSqlResourcesOperationsExtensions.cs | 87 - .../SdkInfo_CosmosDBManagementClient.cs | 57 +- ...Microsoft.Azure.Management.CosmosDB.csproj | 14 +- .../src/Properties/AssemblyInfo.cs | 4 +- ...oft.Azure.Management.CosmosDB.Tests.csproj | 10 +- .../CassandraResourcesOperationsTests.cs | 2 +- .../DatabaseAccountOperationsTest.cs | 57 +- .../GraphResourcesOperationsTests.cs | 2 +- .../ManagedCassandraOperationsTests.cs | 178 -- .../MongoResourcesOperationsTests.cs | 16 +- .../RestorableMongoOperationTests.cs | 128 - .../RestorableSqlOperationTests.cs | 103 - .../RestoreDatabaseAccountOperationTests.cs | 141 - .../SqlResourcesOperationsTests.cs | 16 +- .../TableResourcesOperationsTests.cs | 2 +- .../CassandraCRUDTests.json | 486 ++-- .../DatabaseAccountCRUDTests.json | 1833 ++++++++---- .../GraphCRUDTests.json | 578 +--- .../MongoCRUDTests.json | 503 +++- .../OperationsTests/ListOperationsTest.json | 98 +- .../SqlCRUDTests.json | 678 ++--- .../SqlRoleTests.json | 648 ++--- .../TableCRUDTests.json | 212 +- 123 files changed, 3375 insertions(+), 15482 deletions(-) delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/CassandraClustersOperations.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/CassandraClustersOperationsExtensions.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/CassandraDataCentersOperations.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/CassandraDataCentersOperationsExtensions.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/ICassandraClustersOperations.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/ICassandraDataCentersOperations.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableDatabaseAccountsOperations.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableMongodbCollectionsOperations.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableMongodbDatabasesOperations.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableMongodbResourcesOperations.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableSqlContainersOperations.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableSqlDatabasesOperations.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableSqlResourcesOperations.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ApiType.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/AuthenticationMethod.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/BackupResource.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/BackupResourceProperties.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/BackupStorageRedundancy.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/Certificate.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ClusterNodeStatus.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ClusterNodeStatusNodesItem.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ClusterResource.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ClusterResourceProperties.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/CreateMode.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/CreatedByType.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DataCenterResource.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DataCenterResourceProperties.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DatabaseAccountCreateUpdateProperties.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DatabaseRestoreResource.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DefaultRequestDatabaseAccountCreateUpdateProperties.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ManagedCassandraProvisioningState.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/NodeState.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/NodeStatus.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/OperationType.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RepairPostBody.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableDatabaseAccountGetResult.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableLocationResource.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableMongodbCollectionGetResult.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableMongodbCollectionPropertiesResource.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableMongodbDatabaseGetResult.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableMongodbDatabasePropertiesResource.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableSqlContainerGetResult.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableSqlContainerPropertiesResource.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableSqlContainerPropertiesResourceContainer.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableSqlDatabaseGetResult.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableSqlDatabasePropertiesResource.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableSqlDatabasePropertiesResourceDatabase.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestoreMode.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestoreParameters.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestoreReqeustDatabaseAccountCreateUpdateProperties.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SeedNode.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SystemData.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableDatabaseAccountsOperations.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableDatabaseAccountsOperationsExtensions.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableMongodbCollectionsOperations.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableMongodbCollectionsOperationsExtensions.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableMongodbDatabasesOperations.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableMongodbDatabasesOperationsExtensions.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableMongodbResourcesOperations.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableMongodbResourcesOperationsExtensions.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableSqlContainersOperations.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableSqlContainersOperationsExtensions.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableSqlDatabasesOperations.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableSqlDatabasesOperationsExtensions.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableSqlResourcesOperations.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableSqlResourcesOperationsExtensions.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/ManagedCassandraOperationsTests.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/RestorableMongoOperationTests.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/RestorableSqlOperationTests.cs delete mode 100644 sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/RestoreDatabaseAccountOperationTests.cs diff --git a/eng/mgmt/mgmtmetadata/cosmos-db_resource-manager.txt b/eng/mgmt/mgmtmetadata/cosmos-db_resource-manager.txt index bd0035a8e658..a169c744260d 100644 --- a/eng/mgmt/mgmtmetadata/cosmos-db_resource-manager.txt +++ b/eng/mgmt/mgmtmetadata/cosmos-db_resource-manager.txt @@ -3,12 +3,12 @@ AutoRest installed successfully. Commencing code generation Generating CSharp code Executing AutoRest command -cmd.exe /c autorest.cmd https://github.com/Azure/azure-rest-api-specs/blob/master/specification/cosmos-db/resource-manager/readme.md --csharp --version=v2 --reflect-api-versions --csharp-sdks-folder=C:\Users\frross\source\repos\azure-sdk-for-net\sdk -2021-03-04 18:04:13 UTC +cmd.exe /c autorest.cmd https://github.com/Azure/azure-rest-api-specs/blob/master/specification/cosmos-db/resource-manager/readme.md --csharp --version=v2 --reflect-api-versions --csharp-sdks-folder=D:\azure-sdk-for-net\sdk +2021-04-27 17:09:09 UTC Azure-rest-api-specs repository information GitHub fork: Azure Branch: master -Commit: 270f39439e03cc7549a8dc1a0f07e73443af42f9 +Commit: c1f66424b3b3636ec4cdb6c911dc75ca9abbe146 AutoRest information Requested version: v2 -Bootstrapper version: autorest@2.0.4413 +Bootstrapper version: autorest@3.1.4 diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/AzSdk.RP.props b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/AzSdk.RP.props index 4fbc6876b259..0c984b8893f1 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/AzSdk.RP.props +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/AzSdk.RP.props @@ -1,7 +1,7 @@  - CosmosDB_2021-03-01-preview + CosmosDB_2021-04-15 $(PackageTags);$(CommonTags);$(AzureApiTag); diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/CassandraClustersOperations.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/CassandraClustersOperations.cs deleted file mode 100644 index cc56c41d1b8d..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/CassandraClustersOperations.cs +++ /dev/null @@ -1,2572 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using Newtonsoft.Json; - using System.Collections; - using System.Collections.Generic; - using System.Linq; - using System.Net; - using System.Net.Http; - using System.Threading; - using System.Threading.Tasks; - - /// - /// CassandraClustersOperations operations. - /// - internal partial class CassandraClustersOperations : IServiceOperations, ICassandraClustersOperations - { - /// - /// Initializes a new instance of the CassandraClustersOperations class. - /// - /// - /// Reference to the service client. - /// - /// - /// Thrown when a required parameter is null - /// - internal CassandraClustersOperations(CosmosDBManagementClient client) - { - if (client == null) - { - throw new System.ArgumentNullException("client"); - } - Client = client; - } - - /// - /// Gets a reference to the CosmosDBManagementClient - /// - public CosmosDBManagementClient Client { get; private set; } - - /// - /// List all managed Cassandra clusters in this subscription. - /// - /// - /// Headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// A response object containing the response body and response headers. - /// - public async Task>> ListBySubscriptionWithHttpMessagesAsync(Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - if (Client.SubscriptionId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); - } - if (Client.SubscriptionId != null) - { - if (Client.SubscriptionId.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.SubscriptionId", 1); - } - } - if (Client.ApiVersion == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); - } - if (Client.ApiVersion != null) - { - if (Client.ApiVersion.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.ApiVersion", 1); - } - } - // Tracing - bool _shouldTrace = ServiceClientTracing.IsEnabled; - string _invocationId = null; - if (_shouldTrace) - { - _invocationId = ServiceClientTracing.NextInvocationId.ToString(); - Dictionary tracingParameters = new Dictionary(); - tracingParameters.Add("cancellationToken", cancellationToken); - ServiceClientTracing.Enter(_invocationId, this, "ListBySubscription", tracingParameters); - } - // Construct URL - var _baseUrl = Client.BaseUri.AbsoluteUri; - var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/providers/Microsoft.DocumentDB/cassandraClusters").ToString(); - _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); - List _queryParameters = new List(); - if (Client.ApiVersion != null) - { - _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); - } - if (_queryParameters.Count > 0) - { - _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); - } - // Create HTTP transport objects - var _httpRequest = new HttpRequestMessage(); - HttpResponseMessage _httpResponse = null; - _httpRequest.Method = new HttpMethod("GET"); - _httpRequest.RequestUri = new System.Uri(_url); - // Set Headers - if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) - { - _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); - } - if (Client.AcceptLanguage != null) - { - if (_httpRequest.Headers.Contains("accept-language")) - { - _httpRequest.Headers.Remove("accept-language"); - } - _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); - } - - - if (customHeaders != null) - { - foreach(var _header in customHeaders) - { - if (_httpRequest.Headers.Contains(_header.Key)) - { - _httpRequest.Headers.Remove(_header.Key); - } - _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); - } - } - - // Serialize Request - string _requestContent = null; - // Set Credentials - if (Client.Credentials != null) - { - cancellationToken.ThrowIfCancellationRequested(); - await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - } - // Send Request - if (_shouldTrace) - { - ServiceClientTracing.SendRequest(_invocationId, _httpRequest); - } - cancellationToken.ThrowIfCancellationRequested(); - _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - if (_shouldTrace) - { - ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); - } - HttpStatusCode _statusCode = _httpResponse.StatusCode; - cancellationToken.ThrowIfCancellationRequested(); - string _responseContent = null; - if ((int)_statusCode != 200) - { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); - try - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - if (_errorBody != null) - { - ex = new CloudException(_errorBody.Message); - ex.Body = _errorBody; - } - } - catch (JsonException) - { - // Ignore the exception - } - ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); - ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Error(_invocationId, ex); - } - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw ex; - } - // Create Result - var _result = new AzureOperationResponse>(); - _result.Request = _httpRequest; - _result.Response = _httpResponse; - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - // Deserialize Response - if ((int)_statusCode == 200) - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - try - { - _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject>(_responseContent, Client.DeserializationSettings); - } - catch (JsonException ex) - { - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); - } - } - if (_shouldTrace) - { - ServiceClientTracing.Exit(_invocationId, _result); - } - return _result; - } - - /// - /// List all managed Cassandra clusters in this resource group. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// A response object containing the response body and response headers. - /// - public async Task>> ListByResourceGroupWithHttpMessagesAsync(string resourceGroupName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - if (Client.SubscriptionId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); - } - if (Client.SubscriptionId != null) - { - if (Client.SubscriptionId.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.SubscriptionId", 1); - } - } - if (resourceGroupName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "resourceGroupName"); - } - if (resourceGroupName != null) - { - if (resourceGroupName.Length > 90) - { - throw new ValidationException(ValidationRules.MaxLength, "resourceGroupName", 90); - } - if (resourceGroupName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "resourceGroupName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(resourceGroupName, "^[-\\w\\._\\(\\)]+$")) - { - throw new ValidationException(ValidationRules.Pattern, "resourceGroupName", "^[-\\w\\._\\(\\)]+$"); - } - } - if (Client.ApiVersion == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); - } - if (Client.ApiVersion != null) - { - if (Client.ApiVersion.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.ApiVersion", 1); - } - } - // Tracing - bool _shouldTrace = ServiceClientTracing.IsEnabled; - string _invocationId = null; - if (_shouldTrace) - { - _invocationId = ServiceClientTracing.NextInvocationId.ToString(); - Dictionary tracingParameters = new Dictionary(); - tracingParameters.Add("resourceGroupName", resourceGroupName); - tracingParameters.Add("cancellationToken", cancellationToken); - ServiceClientTracing.Enter(_invocationId, this, "ListByResourceGroup", tracingParameters); - } - // Construct URL - var _baseUrl = Client.BaseUri.AbsoluteUri; - var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters").ToString(); - _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); - _url = _url.Replace("{resourceGroupName}", System.Uri.EscapeDataString(resourceGroupName)); - List _queryParameters = new List(); - if (Client.ApiVersion != null) - { - _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); - } - if (_queryParameters.Count > 0) - { - _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); - } - // Create HTTP transport objects - var _httpRequest = new HttpRequestMessage(); - HttpResponseMessage _httpResponse = null; - _httpRequest.Method = new HttpMethod("GET"); - _httpRequest.RequestUri = new System.Uri(_url); - // Set Headers - if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) - { - _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); - } - if (Client.AcceptLanguage != null) - { - if (_httpRequest.Headers.Contains("accept-language")) - { - _httpRequest.Headers.Remove("accept-language"); - } - _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); - } - - - if (customHeaders != null) - { - foreach(var _header in customHeaders) - { - if (_httpRequest.Headers.Contains(_header.Key)) - { - _httpRequest.Headers.Remove(_header.Key); - } - _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); - } - } - - // Serialize Request - string _requestContent = null; - // Set Credentials - if (Client.Credentials != null) - { - cancellationToken.ThrowIfCancellationRequested(); - await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - } - // Send Request - if (_shouldTrace) - { - ServiceClientTracing.SendRequest(_invocationId, _httpRequest); - } - cancellationToken.ThrowIfCancellationRequested(); - _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - if (_shouldTrace) - { - ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); - } - HttpStatusCode _statusCode = _httpResponse.StatusCode; - cancellationToken.ThrowIfCancellationRequested(); - string _responseContent = null; - if ((int)_statusCode != 200) - { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); - try - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - if (_errorBody != null) - { - ex = new CloudException(_errorBody.Message); - ex.Body = _errorBody; - } - } - catch (JsonException) - { - // Ignore the exception - } - ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); - ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Error(_invocationId, ex); - } - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw ex; - } - // Create Result - var _result = new AzureOperationResponse>(); - _result.Request = _httpRequest; - _result.Response = _httpResponse; - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - // Deserialize Response - if ((int)_statusCode == 200) - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - try - { - _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject>(_responseContent, Client.DeserializationSettings); - } - catch (JsonException ex) - { - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); - } - } - if (_shouldTrace) - { - ServiceClientTracing.Exit(_invocationId, _result); - } - return _result; - } - - /// - /// Get the properties of a managed Cassandra cluster. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// A response object containing the response body and response headers. - /// - public async Task> GetWithHttpMessagesAsync(string resourceGroupName, string clusterName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - if (Client.SubscriptionId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); - } - if (Client.SubscriptionId != null) - { - if (Client.SubscriptionId.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.SubscriptionId", 1); - } - } - if (resourceGroupName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "resourceGroupName"); - } - if (resourceGroupName != null) - { - if (resourceGroupName.Length > 90) - { - throw new ValidationException(ValidationRules.MaxLength, "resourceGroupName", 90); - } - if (resourceGroupName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "resourceGroupName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(resourceGroupName, "^[-\\w\\._\\(\\)]+$")) - { - throw new ValidationException(ValidationRules.Pattern, "resourceGroupName", "^[-\\w\\._\\(\\)]+$"); - } - } - if (clusterName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "clusterName"); - } - if (clusterName != null) - { - if (clusterName.Length > 100) - { - throw new ValidationException(ValidationRules.MaxLength, "clusterName", 100); - } - if (clusterName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "clusterName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(clusterName, "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*")) - { - throw new ValidationException(ValidationRules.Pattern, "clusterName", "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*"); - } - } - if (Client.ApiVersion == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); - } - if (Client.ApiVersion != null) - { - if (Client.ApiVersion.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.ApiVersion", 1); - } - } - // Tracing - bool _shouldTrace = ServiceClientTracing.IsEnabled; - string _invocationId = null; - if (_shouldTrace) - { - _invocationId = ServiceClientTracing.NextInvocationId.ToString(); - Dictionary tracingParameters = new Dictionary(); - tracingParameters.Add("resourceGroupName", resourceGroupName); - tracingParameters.Add("clusterName", clusterName); - tracingParameters.Add("cancellationToken", cancellationToken); - ServiceClientTracing.Enter(_invocationId, this, "Get", tracingParameters); - } - // Construct URL - var _baseUrl = Client.BaseUri.AbsoluteUri; - var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}").ToString(); - _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); - _url = _url.Replace("{resourceGroupName}", System.Uri.EscapeDataString(resourceGroupName)); - _url = _url.Replace("{clusterName}", System.Uri.EscapeDataString(clusterName)); - List _queryParameters = new List(); - if (Client.ApiVersion != null) - { - _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); - } - if (_queryParameters.Count > 0) - { - _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); - } - // Create HTTP transport objects - var _httpRequest = new HttpRequestMessage(); - HttpResponseMessage _httpResponse = null; - _httpRequest.Method = new HttpMethod("GET"); - _httpRequest.RequestUri = new System.Uri(_url); - // Set Headers - if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) - { - _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); - } - if (Client.AcceptLanguage != null) - { - if (_httpRequest.Headers.Contains("accept-language")) - { - _httpRequest.Headers.Remove("accept-language"); - } - _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); - } - - - if (customHeaders != null) - { - foreach(var _header in customHeaders) - { - if (_httpRequest.Headers.Contains(_header.Key)) - { - _httpRequest.Headers.Remove(_header.Key); - } - _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); - } - } - - // Serialize Request - string _requestContent = null; - // Set Credentials - if (Client.Credentials != null) - { - cancellationToken.ThrowIfCancellationRequested(); - await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - } - // Send Request - if (_shouldTrace) - { - ServiceClientTracing.SendRequest(_invocationId, _httpRequest); - } - cancellationToken.ThrowIfCancellationRequested(); - _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - if (_shouldTrace) - { - ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); - } - HttpStatusCode _statusCode = _httpResponse.StatusCode; - cancellationToken.ThrowIfCancellationRequested(); - string _responseContent = null; - if ((int)_statusCode != 200) - { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); - try - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - if (_errorBody != null) - { - ex = new CloudException(_errorBody.Message); - ex.Body = _errorBody; - } - } - catch (JsonException) - { - // Ignore the exception - } - ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); - ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Error(_invocationId, ex); - } - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw ex; - } - // Create Result - var _result = new AzureOperationResponse(); - _result.Request = _httpRequest; - _result.Response = _httpResponse; - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - // Deserialize Response - if ((int)_statusCode == 200) - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - try - { - _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - } - catch (JsonException ex) - { - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); - } - } - if (_shouldTrace) - { - ServiceClientTracing.Exit(_invocationId, _result); - } - return _result; - } - - /// - /// Deletes a managed Cassandra cluster. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - public async Task DeleteWithHttpMessagesAsync(string resourceGroupName, string clusterName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - // Send request - AzureOperationResponse _response = await BeginDeleteWithHttpMessagesAsync(resourceGroupName, clusterName, customHeaders, cancellationToken).ConfigureAwait(false); - return await Client.GetPostOrDeleteOperationResultAsync(_response, customHeaders, cancellationToken).ConfigureAwait(false); - } - - /// - /// Create or update a managed Cassandra cluster. When updating, you must - /// specify all writable properties. To update only some properties, use PATCH. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// The properties specifying the desired state of the managed Cassandra - /// cluster. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - public async Task> CreateUpdateWithHttpMessagesAsync(string resourceGroupName, string clusterName, ClusterResource body, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - // Send Request - AzureOperationResponse _response = await BeginCreateUpdateWithHttpMessagesAsync(resourceGroupName, clusterName, body, customHeaders, cancellationToken).ConfigureAwait(false); - return await Client.GetPutOrPatchOperationResultAsync(_response, customHeaders, cancellationToken).ConfigureAwait(false); - } - - /// - /// Updates some of the properties of a managed Cassandra cluster. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Parameters to provide for specifying the managed Cassandra cluster. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - public async Task> UpdateWithHttpMessagesAsync(string resourceGroupName, string clusterName, ClusterResource body, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - // Send Request - AzureOperationResponse _response = await BeginUpdateWithHttpMessagesAsync(resourceGroupName, clusterName, body, customHeaders, cancellationToken).ConfigureAwait(false); - return await Client.GetPutOrPatchOperationResultAsync(_response, customHeaders, cancellationToken).ConfigureAwait(false); - } - - /// - /// Request that repair begin on this cluster as soon as possible. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Specification of what keyspaces and tables to run repair on. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - public async Task RequestRepairWithHttpMessagesAsync(string resourceGroupName, string clusterName, RepairPostBody body, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - // Send request - AzureOperationResponse _response = await BeginRequestRepairWithHttpMessagesAsync(resourceGroupName, clusterName, body, customHeaders, cancellationToken).ConfigureAwait(false); - return await Client.GetPostOrDeleteOperationResultAsync(_response, customHeaders, cancellationToken).ConfigureAwait(false); - } - - /// - /// Request the status of all nodes in the cluster (as returned by 'nodetool - /// status'). - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - public async Task> FetchNodeStatusWithHttpMessagesAsync(string resourceGroupName, string clusterName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - // Send request - AzureOperationResponse _response = await BeginFetchNodeStatusWithHttpMessagesAsync(resourceGroupName, clusterName, customHeaders, cancellationToken).ConfigureAwait(false); - return await Client.GetPostOrDeleteOperationResultAsync(_response, customHeaders, cancellationToken).ConfigureAwait(false); - } - - /// - /// List the backups of this cluster that are available to restore. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// A response object containing the response body and response headers. - /// - public async Task>> ListBackupsMethodWithHttpMessagesAsync(string resourceGroupName, string clusterName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - if (Client.SubscriptionId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); - } - if (Client.SubscriptionId != null) - { - if (Client.SubscriptionId.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.SubscriptionId", 1); - } - } - if (resourceGroupName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "resourceGroupName"); - } - if (resourceGroupName != null) - { - if (resourceGroupName.Length > 90) - { - throw new ValidationException(ValidationRules.MaxLength, "resourceGroupName", 90); - } - if (resourceGroupName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "resourceGroupName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(resourceGroupName, "^[-\\w\\._\\(\\)]+$")) - { - throw new ValidationException(ValidationRules.Pattern, "resourceGroupName", "^[-\\w\\._\\(\\)]+$"); - } - } - if (clusterName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "clusterName"); - } - if (clusterName != null) - { - if (clusterName.Length > 100) - { - throw new ValidationException(ValidationRules.MaxLength, "clusterName", 100); - } - if (clusterName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "clusterName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(clusterName, "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*")) - { - throw new ValidationException(ValidationRules.Pattern, "clusterName", "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*"); - } - } - if (Client.ApiVersion == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); - } - if (Client.ApiVersion != null) - { - if (Client.ApiVersion.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.ApiVersion", 1); - } - } - // Tracing - bool _shouldTrace = ServiceClientTracing.IsEnabled; - string _invocationId = null; - if (_shouldTrace) - { - _invocationId = ServiceClientTracing.NextInvocationId.ToString(); - Dictionary tracingParameters = new Dictionary(); - tracingParameters.Add("resourceGroupName", resourceGroupName); - tracingParameters.Add("clusterName", clusterName); - tracingParameters.Add("cancellationToken", cancellationToken); - ServiceClientTracing.Enter(_invocationId, this, "ListBackupsMethod", tracingParameters); - } - // Construct URL - var _baseUrl = Client.BaseUri.AbsoluteUri; - var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/backups").ToString(); - _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); - _url = _url.Replace("{resourceGroupName}", System.Uri.EscapeDataString(resourceGroupName)); - _url = _url.Replace("{clusterName}", System.Uri.EscapeDataString(clusterName)); - List _queryParameters = new List(); - if (Client.ApiVersion != null) - { - _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); - } - if (_queryParameters.Count > 0) - { - _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); - } - // Create HTTP transport objects - var _httpRequest = new HttpRequestMessage(); - HttpResponseMessage _httpResponse = null; - _httpRequest.Method = new HttpMethod("GET"); - _httpRequest.RequestUri = new System.Uri(_url); - // Set Headers - if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) - { - _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); - } - if (Client.AcceptLanguage != null) - { - if (_httpRequest.Headers.Contains("accept-language")) - { - _httpRequest.Headers.Remove("accept-language"); - } - _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); - } - - - if (customHeaders != null) - { - foreach(var _header in customHeaders) - { - if (_httpRequest.Headers.Contains(_header.Key)) - { - _httpRequest.Headers.Remove(_header.Key); - } - _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); - } - } - - // Serialize Request - string _requestContent = null; - // Set Credentials - if (Client.Credentials != null) - { - cancellationToken.ThrowIfCancellationRequested(); - await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - } - // Send Request - if (_shouldTrace) - { - ServiceClientTracing.SendRequest(_invocationId, _httpRequest); - } - cancellationToken.ThrowIfCancellationRequested(); - _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - if (_shouldTrace) - { - ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); - } - HttpStatusCode _statusCode = _httpResponse.StatusCode; - cancellationToken.ThrowIfCancellationRequested(); - string _responseContent = null; - if ((int)_statusCode != 200) - { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); - try - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - if (_errorBody != null) - { - ex = new CloudException(_errorBody.Message); - ex.Body = _errorBody; - } - } - catch (JsonException) - { - // Ignore the exception - } - ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); - ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Error(_invocationId, ex); - } - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw ex; - } - // Create Result - var _result = new AzureOperationResponse>(); - _result.Request = _httpRequest; - _result.Response = _httpResponse; - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - // Deserialize Response - if ((int)_statusCode == 200) - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - try - { - _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject>(_responseContent, Client.DeserializationSettings); - } - catch (JsonException ex) - { - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); - } - } - if (_shouldTrace) - { - ServiceClientTracing.Exit(_invocationId, _result); - } - return _result; - } - - /// - /// Get the properties of an individual backup of this cluster that is - /// available to restore. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Id of a restorable backup of a Cassandra cluster. - /// - /// - /// Headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// A response object containing the response body and response headers. - /// - public async Task> GetBackupWithHttpMessagesAsync(string resourceGroupName, string clusterName, string backupId, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - if (Client.SubscriptionId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); - } - if (Client.SubscriptionId != null) - { - if (Client.SubscriptionId.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.SubscriptionId", 1); - } - } - if (resourceGroupName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "resourceGroupName"); - } - if (resourceGroupName != null) - { - if (resourceGroupName.Length > 90) - { - throw new ValidationException(ValidationRules.MaxLength, "resourceGroupName", 90); - } - if (resourceGroupName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "resourceGroupName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(resourceGroupName, "^[-\\w\\._\\(\\)]+$")) - { - throw new ValidationException(ValidationRules.Pattern, "resourceGroupName", "^[-\\w\\._\\(\\)]+$"); - } - } - if (clusterName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "clusterName"); - } - if (clusterName != null) - { - if (clusterName.Length > 100) - { - throw new ValidationException(ValidationRules.MaxLength, "clusterName", 100); - } - if (clusterName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "clusterName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(clusterName, "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*")) - { - throw new ValidationException(ValidationRules.Pattern, "clusterName", "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*"); - } - } - if (backupId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "backupId"); - } - if (backupId != null) - { - if (backupId.Length > 15) - { - throw new ValidationException(ValidationRules.MaxLength, "backupId", 15); - } - if (backupId.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "backupId", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(backupId, "^[0-9]+$")) - { - throw new ValidationException(ValidationRules.Pattern, "backupId", "^[0-9]+$"); - } - } - if (Client.ApiVersion == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); - } - if (Client.ApiVersion != null) - { - if (Client.ApiVersion.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.ApiVersion", 1); - } - } - // Tracing - bool _shouldTrace = ServiceClientTracing.IsEnabled; - string _invocationId = null; - if (_shouldTrace) - { - _invocationId = ServiceClientTracing.NextInvocationId.ToString(); - Dictionary tracingParameters = new Dictionary(); - tracingParameters.Add("resourceGroupName", resourceGroupName); - tracingParameters.Add("clusterName", clusterName); - tracingParameters.Add("backupId", backupId); - tracingParameters.Add("cancellationToken", cancellationToken); - ServiceClientTracing.Enter(_invocationId, this, "GetBackup", tracingParameters); - } - // Construct URL - var _baseUrl = Client.BaseUri.AbsoluteUri; - var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/backups/{backupId}").ToString(); - _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); - _url = _url.Replace("{resourceGroupName}", System.Uri.EscapeDataString(resourceGroupName)); - _url = _url.Replace("{clusterName}", System.Uri.EscapeDataString(clusterName)); - _url = _url.Replace("{backupId}", System.Uri.EscapeDataString(backupId)); - List _queryParameters = new List(); - if (Client.ApiVersion != null) - { - _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); - } - if (_queryParameters.Count > 0) - { - _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); - } - // Create HTTP transport objects - var _httpRequest = new HttpRequestMessage(); - HttpResponseMessage _httpResponse = null; - _httpRequest.Method = new HttpMethod("GET"); - _httpRequest.RequestUri = new System.Uri(_url); - // Set Headers - if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) - { - _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); - } - if (Client.AcceptLanguage != null) - { - if (_httpRequest.Headers.Contains("accept-language")) - { - _httpRequest.Headers.Remove("accept-language"); - } - _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); - } - - - if (customHeaders != null) - { - foreach(var _header in customHeaders) - { - if (_httpRequest.Headers.Contains(_header.Key)) - { - _httpRequest.Headers.Remove(_header.Key); - } - _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); - } - } - - // Serialize Request - string _requestContent = null; - // Set Credentials - if (Client.Credentials != null) - { - cancellationToken.ThrowIfCancellationRequested(); - await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - } - // Send Request - if (_shouldTrace) - { - ServiceClientTracing.SendRequest(_invocationId, _httpRequest); - } - cancellationToken.ThrowIfCancellationRequested(); - _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - if (_shouldTrace) - { - ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); - } - HttpStatusCode _statusCode = _httpResponse.StatusCode; - cancellationToken.ThrowIfCancellationRequested(); - string _responseContent = null; - if ((int)_statusCode != 200) - { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); - try - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - if (_errorBody != null) - { - ex = new CloudException(_errorBody.Message); - ex.Body = _errorBody; - } - } - catch (JsonException) - { - // Ignore the exception - } - ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); - ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Error(_invocationId, ex); - } - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw ex; - } - // Create Result - var _result = new AzureOperationResponse(); - _result.Request = _httpRequest; - _result.Response = _httpResponse; - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - // Deserialize Response - if ((int)_statusCode == 200) - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - try - { - _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - } - catch (JsonException ex) - { - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); - } - } - if (_shouldTrace) - { - ServiceClientTracing.Exit(_invocationId, _result); - } - return _result; - } - - /// - /// Deletes a managed Cassandra cluster. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// A response object containing the response body and response headers. - /// - public async Task BeginDeleteWithHttpMessagesAsync(string resourceGroupName, string clusterName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - if (Client.SubscriptionId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); - } - if (Client.SubscriptionId != null) - { - if (Client.SubscriptionId.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.SubscriptionId", 1); - } - } - if (resourceGroupName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "resourceGroupName"); - } - if (resourceGroupName != null) - { - if (resourceGroupName.Length > 90) - { - throw new ValidationException(ValidationRules.MaxLength, "resourceGroupName", 90); - } - if (resourceGroupName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "resourceGroupName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(resourceGroupName, "^[-\\w\\._\\(\\)]+$")) - { - throw new ValidationException(ValidationRules.Pattern, "resourceGroupName", "^[-\\w\\._\\(\\)]+$"); - } - } - if (clusterName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "clusterName"); - } - if (clusterName != null) - { - if (clusterName.Length > 100) - { - throw new ValidationException(ValidationRules.MaxLength, "clusterName", 100); - } - if (clusterName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "clusterName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(clusterName, "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*")) - { - throw new ValidationException(ValidationRules.Pattern, "clusterName", "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*"); - } - } - if (Client.ApiVersion == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); - } - if (Client.ApiVersion != null) - { - if (Client.ApiVersion.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.ApiVersion", 1); - } - } - // Tracing - bool _shouldTrace = ServiceClientTracing.IsEnabled; - string _invocationId = null; - if (_shouldTrace) - { - _invocationId = ServiceClientTracing.NextInvocationId.ToString(); - Dictionary tracingParameters = new Dictionary(); - tracingParameters.Add("resourceGroupName", resourceGroupName); - tracingParameters.Add("clusterName", clusterName); - tracingParameters.Add("cancellationToken", cancellationToken); - ServiceClientTracing.Enter(_invocationId, this, "BeginDelete", tracingParameters); - } - // Construct URL - var _baseUrl = Client.BaseUri.AbsoluteUri; - var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}").ToString(); - _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); - _url = _url.Replace("{resourceGroupName}", System.Uri.EscapeDataString(resourceGroupName)); - _url = _url.Replace("{clusterName}", System.Uri.EscapeDataString(clusterName)); - List _queryParameters = new List(); - if (Client.ApiVersion != null) - { - _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); - } - if (_queryParameters.Count > 0) - { - _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); - } - // Create HTTP transport objects - var _httpRequest = new HttpRequestMessage(); - HttpResponseMessage _httpResponse = null; - _httpRequest.Method = new HttpMethod("DELETE"); - _httpRequest.RequestUri = new System.Uri(_url); - // Set Headers - if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) - { - _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); - } - if (Client.AcceptLanguage != null) - { - if (_httpRequest.Headers.Contains("accept-language")) - { - _httpRequest.Headers.Remove("accept-language"); - } - _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); - } - - - if (customHeaders != null) - { - foreach(var _header in customHeaders) - { - if (_httpRequest.Headers.Contains(_header.Key)) - { - _httpRequest.Headers.Remove(_header.Key); - } - _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); - } - } - - // Serialize Request - string _requestContent = null; - // Set Credentials - if (Client.Credentials != null) - { - cancellationToken.ThrowIfCancellationRequested(); - await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - } - // Send Request - if (_shouldTrace) - { - ServiceClientTracing.SendRequest(_invocationId, _httpRequest); - } - cancellationToken.ThrowIfCancellationRequested(); - _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - if (_shouldTrace) - { - ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); - } - HttpStatusCode _statusCode = _httpResponse.StatusCode; - cancellationToken.ThrowIfCancellationRequested(); - string _responseContent = null; - if ((int)_statusCode != 202 && (int)_statusCode != 204) - { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); - try - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - if (_errorBody != null) - { - ex = new CloudException(_errorBody.Message); - ex.Body = _errorBody; - } - } - catch (JsonException) - { - // Ignore the exception - } - ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); - ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Error(_invocationId, ex); - } - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw ex; - } - // Create Result - var _result = new AzureOperationResponse(); - _result.Request = _httpRequest; - _result.Response = _httpResponse; - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Exit(_invocationId, _result); - } - return _result; - } - - /// - /// Create or update a managed Cassandra cluster. When updating, you must - /// specify all writable properties. To update only some properties, use PATCH. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// The properties specifying the desired state of the managed Cassandra - /// cluster. - /// - /// - /// Headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// A response object containing the response body and response headers. - /// - public async Task> BeginCreateUpdateWithHttpMessagesAsync(string resourceGroupName, string clusterName, ClusterResource body, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - if (Client.SubscriptionId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); - } - if (Client.SubscriptionId != null) - { - if (Client.SubscriptionId.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.SubscriptionId", 1); - } - } - if (resourceGroupName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "resourceGroupName"); - } - if (resourceGroupName != null) - { - if (resourceGroupName.Length > 90) - { - throw new ValidationException(ValidationRules.MaxLength, "resourceGroupName", 90); - } - if (resourceGroupName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "resourceGroupName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(resourceGroupName, "^[-\\w\\._\\(\\)]+$")) - { - throw new ValidationException(ValidationRules.Pattern, "resourceGroupName", "^[-\\w\\._\\(\\)]+$"); - } - } - if (clusterName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "clusterName"); - } - if (clusterName != null) - { - if (clusterName.Length > 100) - { - throw new ValidationException(ValidationRules.MaxLength, "clusterName", 100); - } - if (clusterName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "clusterName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(clusterName, "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*")) - { - throw new ValidationException(ValidationRules.Pattern, "clusterName", "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*"); - } - } - if (Client.ApiVersion == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); - } - if (Client.ApiVersion != null) - { - if (Client.ApiVersion.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.ApiVersion", 1); - } - } - if (body == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "body"); - } - // Tracing - bool _shouldTrace = ServiceClientTracing.IsEnabled; - string _invocationId = null; - if (_shouldTrace) - { - _invocationId = ServiceClientTracing.NextInvocationId.ToString(); - Dictionary tracingParameters = new Dictionary(); - tracingParameters.Add("resourceGroupName", resourceGroupName); - tracingParameters.Add("clusterName", clusterName); - tracingParameters.Add("body", body); - tracingParameters.Add("cancellationToken", cancellationToken); - ServiceClientTracing.Enter(_invocationId, this, "BeginCreateUpdate", tracingParameters); - } - // Construct URL - var _baseUrl = Client.BaseUri.AbsoluteUri; - var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}").ToString(); - _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); - _url = _url.Replace("{resourceGroupName}", System.Uri.EscapeDataString(resourceGroupName)); - _url = _url.Replace("{clusterName}", System.Uri.EscapeDataString(clusterName)); - List _queryParameters = new List(); - if (Client.ApiVersion != null) - { - _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); - } - if (_queryParameters.Count > 0) - { - _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); - } - // Create HTTP transport objects - var _httpRequest = new HttpRequestMessage(); - HttpResponseMessage _httpResponse = null; - _httpRequest.Method = new HttpMethod("PUT"); - _httpRequest.RequestUri = new System.Uri(_url); - // Set Headers - if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) - { - _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); - } - if (Client.AcceptLanguage != null) - { - if (_httpRequest.Headers.Contains("accept-language")) - { - _httpRequest.Headers.Remove("accept-language"); - } - _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); - } - - - if (customHeaders != null) - { - foreach(var _header in customHeaders) - { - if (_httpRequest.Headers.Contains(_header.Key)) - { - _httpRequest.Headers.Remove(_header.Key); - } - _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); - } - } - - // Serialize Request - string _requestContent = null; - if(body != null) - { - _requestContent = Rest.Serialization.SafeJsonConvert.SerializeObject(body, Client.SerializationSettings); - _httpRequest.Content = new StringContent(_requestContent, System.Text.Encoding.UTF8); - _httpRequest.Content.Headers.ContentType =System.Net.Http.Headers.MediaTypeHeaderValue.Parse("application/json; charset=utf-8"); - } - // Set Credentials - if (Client.Credentials != null) - { - cancellationToken.ThrowIfCancellationRequested(); - await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - } - // Send Request - if (_shouldTrace) - { - ServiceClientTracing.SendRequest(_invocationId, _httpRequest); - } - cancellationToken.ThrowIfCancellationRequested(); - _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - if (_shouldTrace) - { - ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); - } - HttpStatusCode _statusCode = _httpResponse.StatusCode; - cancellationToken.ThrowIfCancellationRequested(); - string _responseContent = null; - if ((int)_statusCode != 200 && (int)_statusCode != 201) - { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); - try - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - if (_errorBody != null) - { - ex = new CloudException(_errorBody.Message); - ex.Body = _errorBody; - } - } - catch (JsonException) - { - // Ignore the exception - } - ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); - ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Error(_invocationId, ex); - } - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw ex; - } - // Create Result - var _result = new AzureOperationResponse(); - _result.Request = _httpRequest; - _result.Response = _httpResponse; - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - // Deserialize Response - if ((int)_statusCode == 200) - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - try - { - _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - } - catch (JsonException ex) - { - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); - } - } - // Deserialize Response - if ((int)_statusCode == 201) - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - try - { - _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - } - catch (JsonException ex) - { - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); - } - } - if (_shouldTrace) - { - ServiceClientTracing.Exit(_invocationId, _result); - } - return _result; - } - - /// - /// Updates some of the properties of a managed Cassandra cluster. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Parameters to provide for specifying the managed Cassandra cluster. - /// - /// - /// Headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// A response object containing the response body and response headers. - /// - public async Task> BeginUpdateWithHttpMessagesAsync(string resourceGroupName, string clusterName, ClusterResource body, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - if (Client.SubscriptionId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); - } - if (Client.SubscriptionId != null) - { - if (Client.SubscriptionId.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.SubscriptionId", 1); - } - } - if (resourceGroupName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "resourceGroupName"); - } - if (resourceGroupName != null) - { - if (resourceGroupName.Length > 90) - { - throw new ValidationException(ValidationRules.MaxLength, "resourceGroupName", 90); - } - if (resourceGroupName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "resourceGroupName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(resourceGroupName, "^[-\\w\\._\\(\\)]+$")) - { - throw new ValidationException(ValidationRules.Pattern, "resourceGroupName", "^[-\\w\\._\\(\\)]+$"); - } - } - if (clusterName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "clusterName"); - } - if (clusterName != null) - { - if (clusterName.Length > 100) - { - throw new ValidationException(ValidationRules.MaxLength, "clusterName", 100); - } - if (clusterName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "clusterName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(clusterName, "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*")) - { - throw new ValidationException(ValidationRules.Pattern, "clusterName", "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*"); - } - } - if (Client.ApiVersion == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); - } - if (Client.ApiVersion != null) - { - if (Client.ApiVersion.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.ApiVersion", 1); - } - } - if (body == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "body"); - } - // Tracing - bool _shouldTrace = ServiceClientTracing.IsEnabled; - string _invocationId = null; - if (_shouldTrace) - { - _invocationId = ServiceClientTracing.NextInvocationId.ToString(); - Dictionary tracingParameters = new Dictionary(); - tracingParameters.Add("resourceGroupName", resourceGroupName); - tracingParameters.Add("clusterName", clusterName); - tracingParameters.Add("body", body); - tracingParameters.Add("cancellationToken", cancellationToken); - ServiceClientTracing.Enter(_invocationId, this, "BeginUpdate", tracingParameters); - } - // Construct URL - var _baseUrl = Client.BaseUri.AbsoluteUri; - var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}").ToString(); - _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); - _url = _url.Replace("{resourceGroupName}", System.Uri.EscapeDataString(resourceGroupName)); - _url = _url.Replace("{clusterName}", System.Uri.EscapeDataString(clusterName)); - List _queryParameters = new List(); - if (Client.ApiVersion != null) - { - _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); - } - if (_queryParameters.Count > 0) - { - _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); - } - // Create HTTP transport objects - var _httpRequest = new HttpRequestMessage(); - HttpResponseMessage _httpResponse = null; - _httpRequest.Method = new HttpMethod("PATCH"); - _httpRequest.RequestUri = new System.Uri(_url); - // Set Headers - if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) - { - _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); - } - if (Client.AcceptLanguage != null) - { - if (_httpRequest.Headers.Contains("accept-language")) - { - _httpRequest.Headers.Remove("accept-language"); - } - _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); - } - - - if (customHeaders != null) - { - foreach(var _header in customHeaders) - { - if (_httpRequest.Headers.Contains(_header.Key)) - { - _httpRequest.Headers.Remove(_header.Key); - } - _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); - } - } - - // Serialize Request - string _requestContent = null; - if(body != null) - { - _requestContent = Rest.Serialization.SafeJsonConvert.SerializeObject(body, Client.SerializationSettings); - _httpRequest.Content = new StringContent(_requestContent, System.Text.Encoding.UTF8); - _httpRequest.Content.Headers.ContentType =System.Net.Http.Headers.MediaTypeHeaderValue.Parse("application/json; charset=utf-8"); - } - // Set Credentials - if (Client.Credentials != null) - { - cancellationToken.ThrowIfCancellationRequested(); - await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - } - // Send Request - if (_shouldTrace) - { - ServiceClientTracing.SendRequest(_invocationId, _httpRequest); - } - cancellationToken.ThrowIfCancellationRequested(); - _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - if (_shouldTrace) - { - ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); - } - HttpStatusCode _statusCode = _httpResponse.StatusCode; - cancellationToken.ThrowIfCancellationRequested(); - string _responseContent = null; - if ((int)_statusCode != 200 && (int)_statusCode != 202) - { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); - try - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - if (_errorBody != null) - { - ex = new CloudException(_errorBody.Message); - ex.Body = _errorBody; - } - } - catch (JsonException) - { - // Ignore the exception - } - ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); - ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Error(_invocationId, ex); - } - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw ex; - } - // Create Result - var _result = new AzureOperationResponse(); - _result.Request = _httpRequest; - _result.Response = _httpResponse; - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - // Deserialize Response - if ((int)_statusCode == 200) - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - try - { - _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - } - catch (JsonException ex) - { - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); - } - } - // Deserialize Response - if ((int)_statusCode == 202) - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - try - { - _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - } - catch (JsonException ex) - { - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); - } - } - if (_shouldTrace) - { - ServiceClientTracing.Exit(_invocationId, _result); - } - return _result; - } - - /// - /// Request that repair begin on this cluster as soon as possible. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Specification of what keyspaces and tables to run repair on. - /// - /// - /// Headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// A response object containing the response body and response headers. - /// - public async Task BeginRequestRepairWithHttpMessagesAsync(string resourceGroupName, string clusterName, RepairPostBody body, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - if (Client.SubscriptionId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); - } - if (Client.SubscriptionId != null) - { - if (Client.SubscriptionId.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.SubscriptionId", 1); - } - } - if (resourceGroupName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "resourceGroupName"); - } - if (resourceGroupName != null) - { - if (resourceGroupName.Length > 90) - { - throw new ValidationException(ValidationRules.MaxLength, "resourceGroupName", 90); - } - if (resourceGroupName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "resourceGroupName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(resourceGroupName, "^[-\\w\\._\\(\\)]+$")) - { - throw new ValidationException(ValidationRules.Pattern, "resourceGroupName", "^[-\\w\\._\\(\\)]+$"); - } - } - if (clusterName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "clusterName"); - } - if (clusterName != null) - { - if (clusterName.Length > 100) - { - throw new ValidationException(ValidationRules.MaxLength, "clusterName", 100); - } - if (clusterName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "clusterName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(clusterName, "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*")) - { - throw new ValidationException(ValidationRules.Pattern, "clusterName", "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*"); - } - } - if (Client.ApiVersion == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); - } - if (Client.ApiVersion != null) - { - if (Client.ApiVersion.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.ApiVersion", 1); - } - } - if (body == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "body"); - } - if (body != null) - { - body.Validate(); - } - // Tracing - bool _shouldTrace = ServiceClientTracing.IsEnabled; - string _invocationId = null; - if (_shouldTrace) - { - _invocationId = ServiceClientTracing.NextInvocationId.ToString(); - Dictionary tracingParameters = new Dictionary(); - tracingParameters.Add("resourceGroupName", resourceGroupName); - tracingParameters.Add("clusterName", clusterName); - tracingParameters.Add("body", body); - tracingParameters.Add("cancellationToken", cancellationToken); - ServiceClientTracing.Enter(_invocationId, this, "BeginRequestRepair", tracingParameters); - } - // Construct URL - var _baseUrl = Client.BaseUri.AbsoluteUri; - var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/repair").ToString(); - _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); - _url = _url.Replace("{resourceGroupName}", System.Uri.EscapeDataString(resourceGroupName)); - _url = _url.Replace("{clusterName}", System.Uri.EscapeDataString(clusterName)); - List _queryParameters = new List(); - if (Client.ApiVersion != null) - { - _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); - } - if (_queryParameters.Count > 0) - { - _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); - } - // Create HTTP transport objects - var _httpRequest = new HttpRequestMessage(); - HttpResponseMessage _httpResponse = null; - _httpRequest.Method = new HttpMethod("POST"); - _httpRequest.RequestUri = new System.Uri(_url); - // Set Headers - if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) - { - _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); - } - if (Client.AcceptLanguage != null) - { - if (_httpRequest.Headers.Contains("accept-language")) - { - _httpRequest.Headers.Remove("accept-language"); - } - _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); - } - - - if (customHeaders != null) - { - foreach(var _header in customHeaders) - { - if (_httpRequest.Headers.Contains(_header.Key)) - { - _httpRequest.Headers.Remove(_header.Key); - } - _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); - } - } - - // Serialize Request - string _requestContent = null; - if(body != null) - { - _requestContent = Rest.Serialization.SafeJsonConvert.SerializeObject(body, Client.SerializationSettings); - _httpRequest.Content = new StringContent(_requestContent, System.Text.Encoding.UTF8); - _httpRequest.Content.Headers.ContentType =System.Net.Http.Headers.MediaTypeHeaderValue.Parse("application/json; charset=utf-8"); - } - // Set Credentials - if (Client.Credentials != null) - { - cancellationToken.ThrowIfCancellationRequested(); - await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - } - // Send Request - if (_shouldTrace) - { - ServiceClientTracing.SendRequest(_invocationId, _httpRequest); - } - cancellationToken.ThrowIfCancellationRequested(); - _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - if (_shouldTrace) - { - ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); - } - HttpStatusCode _statusCode = _httpResponse.StatusCode; - cancellationToken.ThrowIfCancellationRequested(); - string _responseContent = null; - if ((int)_statusCode != 200) - { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); - try - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - if (_errorBody != null) - { - ex = new CloudException(_errorBody.Message); - ex.Body = _errorBody; - } - } - catch (JsonException) - { - // Ignore the exception - } - ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); - ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Error(_invocationId, ex); - } - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw ex; - } - // Create Result - var _result = new AzureOperationResponse(); - _result.Request = _httpRequest; - _result.Response = _httpResponse; - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Exit(_invocationId, _result); - } - return _result; - } - - /// - /// Request the status of all nodes in the cluster (as returned by 'nodetool - /// status'). - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// A response object containing the response body and response headers. - /// - public async Task> BeginFetchNodeStatusWithHttpMessagesAsync(string resourceGroupName, string clusterName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - if (Client.SubscriptionId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); - } - if (Client.SubscriptionId != null) - { - if (Client.SubscriptionId.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.SubscriptionId", 1); - } - } - if (resourceGroupName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "resourceGroupName"); - } - if (resourceGroupName != null) - { - if (resourceGroupName.Length > 90) - { - throw new ValidationException(ValidationRules.MaxLength, "resourceGroupName", 90); - } - if (resourceGroupName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "resourceGroupName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(resourceGroupName, "^[-\\w\\._\\(\\)]+$")) - { - throw new ValidationException(ValidationRules.Pattern, "resourceGroupName", "^[-\\w\\._\\(\\)]+$"); - } - } - if (clusterName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "clusterName"); - } - if (clusterName != null) - { - if (clusterName.Length > 100) - { - throw new ValidationException(ValidationRules.MaxLength, "clusterName", 100); - } - if (clusterName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "clusterName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(clusterName, "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*")) - { - throw new ValidationException(ValidationRules.Pattern, "clusterName", "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*"); - } - } - if (Client.ApiVersion == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); - } - if (Client.ApiVersion != null) - { - if (Client.ApiVersion.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.ApiVersion", 1); - } - } - // Tracing - bool _shouldTrace = ServiceClientTracing.IsEnabled; - string _invocationId = null; - if (_shouldTrace) - { - _invocationId = ServiceClientTracing.NextInvocationId.ToString(); - Dictionary tracingParameters = new Dictionary(); - tracingParameters.Add("resourceGroupName", resourceGroupName); - tracingParameters.Add("clusterName", clusterName); - tracingParameters.Add("cancellationToken", cancellationToken); - ServiceClientTracing.Enter(_invocationId, this, "BeginFetchNodeStatus", tracingParameters); - } - // Construct URL - var _baseUrl = Client.BaseUri.AbsoluteUri; - var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/fetchNodeStatus").ToString(); - _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); - _url = _url.Replace("{resourceGroupName}", System.Uri.EscapeDataString(resourceGroupName)); - _url = _url.Replace("{clusterName}", System.Uri.EscapeDataString(clusterName)); - List _queryParameters = new List(); - if (Client.ApiVersion != null) - { - _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); - } - if (_queryParameters.Count > 0) - { - _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); - } - // Create HTTP transport objects - var _httpRequest = new HttpRequestMessage(); - HttpResponseMessage _httpResponse = null; - _httpRequest.Method = new HttpMethod("POST"); - _httpRequest.RequestUri = new System.Uri(_url); - // Set Headers - if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) - { - _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); - } - if (Client.AcceptLanguage != null) - { - if (_httpRequest.Headers.Contains("accept-language")) - { - _httpRequest.Headers.Remove("accept-language"); - } - _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); - } - - - if (customHeaders != null) - { - foreach(var _header in customHeaders) - { - if (_httpRequest.Headers.Contains(_header.Key)) - { - _httpRequest.Headers.Remove(_header.Key); - } - _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); - } - } - - // Serialize Request - string _requestContent = null; - // Set Credentials - if (Client.Credentials != null) - { - cancellationToken.ThrowIfCancellationRequested(); - await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - } - // Send Request - if (_shouldTrace) - { - ServiceClientTracing.SendRequest(_invocationId, _httpRequest); - } - cancellationToken.ThrowIfCancellationRequested(); - _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - if (_shouldTrace) - { - ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); - } - HttpStatusCode _statusCode = _httpResponse.StatusCode; - cancellationToken.ThrowIfCancellationRequested(); - string _responseContent = null; - if ((int)_statusCode != 200 && (int)_statusCode != 202) - { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); - try - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - if (_errorBody != null) - { - ex = new CloudException(_errorBody.Message); - ex.Body = _errorBody; - } - } - catch (JsonException) - { - // Ignore the exception - } - ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); - ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Error(_invocationId, ex); - } - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw ex; - } - // Create Result - var _result = new AzureOperationResponse(); - _result.Request = _httpRequest; - _result.Response = _httpResponse; - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - // Deserialize Response - if ((int)_statusCode == 200) - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - try - { - _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - } - catch (JsonException ex) - { - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); - } - } - if (_shouldTrace) - { - ServiceClientTracing.Exit(_invocationId, _result); - } - return _result; - } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/CassandraClustersOperationsExtensions.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/CassandraClustersOperationsExtensions.cs deleted file mode 100644 index 2dbab1961fac..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/CassandraClustersOperationsExtensions.cs +++ /dev/null @@ -1,653 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using System.Collections; - using System.Collections.Generic; - using System.Threading; - using System.Threading.Tasks; - - /// - /// Extension methods for CassandraClustersOperations. - /// - public static partial class CassandraClustersOperationsExtensions - { - /// - /// List all managed Cassandra clusters in this subscription. - /// - /// - /// The operations group for this extension method. - /// - public static IEnumerable ListBySubscription(this ICassandraClustersOperations operations) - { - return operations.ListBySubscriptionAsync().GetAwaiter().GetResult(); - } - - /// - /// List all managed Cassandra clusters in this subscription. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The cancellation token. - /// - public static async Task> ListBySubscriptionAsync(this ICassandraClustersOperations operations, CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.ListBySubscriptionWithHttpMessagesAsync(null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - /// - /// List all managed Cassandra clusters in this resource group. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - public static IEnumerable ListByResourceGroup(this ICassandraClustersOperations operations, string resourceGroupName) - { - return operations.ListByResourceGroupAsync(resourceGroupName).GetAwaiter().GetResult(); - } - - /// - /// List all managed Cassandra clusters in this resource group. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// The cancellation token. - /// - public static async Task> ListByResourceGroupAsync(this ICassandraClustersOperations operations, string resourceGroupName, CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.ListByResourceGroupWithHttpMessagesAsync(resourceGroupName, null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - /// - /// Get the properties of a managed Cassandra cluster. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - public static ClusterResource Get(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName) - { - return operations.GetAsync(resourceGroupName, clusterName).GetAwaiter().GetResult(); - } - - /// - /// Get the properties of a managed Cassandra cluster. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// The cancellation token. - /// - public static async Task GetAsync(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName, CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.GetWithHttpMessagesAsync(resourceGroupName, clusterName, null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - /// - /// Deletes a managed Cassandra cluster. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - public static void Delete(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName) - { - operations.DeleteAsync(resourceGroupName, clusterName).GetAwaiter().GetResult(); - } - - /// - /// Deletes a managed Cassandra cluster. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// The cancellation token. - /// - public static async Task DeleteAsync(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName, CancellationToken cancellationToken = default(CancellationToken)) - { - (await operations.DeleteWithHttpMessagesAsync(resourceGroupName, clusterName, null, cancellationToken).ConfigureAwait(false)).Dispose(); - } - - /// - /// Create or update a managed Cassandra cluster. When updating, you must - /// specify all writable properties. To update only some properties, use PATCH. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// The properties specifying the desired state of the managed Cassandra - /// cluster. - /// - public static ClusterResource CreateUpdate(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName, ClusterResource body) - { - return operations.CreateUpdateAsync(resourceGroupName, clusterName, body).GetAwaiter().GetResult(); - } - - /// - /// Create or update a managed Cassandra cluster. When updating, you must - /// specify all writable properties. To update only some properties, use PATCH. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// The properties specifying the desired state of the managed Cassandra - /// cluster. - /// - /// - /// The cancellation token. - /// - public static async Task CreateUpdateAsync(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName, ClusterResource body, CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.CreateUpdateWithHttpMessagesAsync(resourceGroupName, clusterName, body, null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - /// - /// Updates some of the properties of a managed Cassandra cluster. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Parameters to provide for specifying the managed Cassandra cluster. - /// - public static ClusterResource Update(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName, ClusterResource body) - { - return operations.UpdateAsync(resourceGroupName, clusterName, body).GetAwaiter().GetResult(); - } - - /// - /// Updates some of the properties of a managed Cassandra cluster. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Parameters to provide for specifying the managed Cassandra cluster. - /// - /// - /// The cancellation token. - /// - public static async Task UpdateAsync(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName, ClusterResource body, CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.UpdateWithHttpMessagesAsync(resourceGroupName, clusterName, body, null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - /// - /// Request that repair begin on this cluster as soon as possible. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Specification of what keyspaces and tables to run repair on. - /// - public static void RequestRepair(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName, RepairPostBody body) - { - operations.RequestRepairAsync(resourceGroupName, clusterName, body).GetAwaiter().GetResult(); - } - - /// - /// Request that repair begin on this cluster as soon as possible. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Specification of what keyspaces and tables to run repair on. - /// - /// - /// The cancellation token. - /// - public static async Task RequestRepairAsync(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName, RepairPostBody body, CancellationToken cancellationToken = default(CancellationToken)) - { - (await operations.RequestRepairWithHttpMessagesAsync(resourceGroupName, clusterName, body, null, cancellationToken).ConfigureAwait(false)).Dispose(); - } - - /// - /// Request the status of all nodes in the cluster (as returned by 'nodetool - /// status'). - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - public static ClusterNodeStatus FetchNodeStatus(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName) - { - return operations.FetchNodeStatusAsync(resourceGroupName, clusterName).GetAwaiter().GetResult(); - } - - /// - /// Request the status of all nodes in the cluster (as returned by 'nodetool - /// status'). - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// The cancellation token. - /// - public static async Task FetchNodeStatusAsync(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName, CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.FetchNodeStatusWithHttpMessagesAsync(resourceGroupName, clusterName, null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - /// - /// List the backups of this cluster that are available to restore. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - public static IEnumerable ListBackupsMethod(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName) - { - return operations.ListBackupsMethodAsync(resourceGroupName, clusterName).GetAwaiter().GetResult(); - } - - /// - /// List the backups of this cluster that are available to restore. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// The cancellation token. - /// - public static async Task> ListBackupsMethodAsync(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName, CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.ListBackupsMethodWithHttpMessagesAsync(resourceGroupName, clusterName, null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - /// - /// Get the properties of an individual backup of this cluster that is - /// available to restore. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Id of a restorable backup of a Cassandra cluster. - /// - public static BackupResource GetBackup(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName, string backupId) - { - return operations.GetBackupAsync(resourceGroupName, clusterName, backupId).GetAwaiter().GetResult(); - } - - /// - /// Get the properties of an individual backup of this cluster that is - /// available to restore. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Id of a restorable backup of a Cassandra cluster. - /// - /// - /// The cancellation token. - /// - public static async Task GetBackupAsync(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName, string backupId, CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.GetBackupWithHttpMessagesAsync(resourceGroupName, clusterName, backupId, null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - /// - /// Deletes a managed Cassandra cluster. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - public static void BeginDelete(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName) - { - operations.BeginDeleteAsync(resourceGroupName, clusterName).GetAwaiter().GetResult(); - } - - /// - /// Deletes a managed Cassandra cluster. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// The cancellation token. - /// - public static async Task BeginDeleteAsync(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName, CancellationToken cancellationToken = default(CancellationToken)) - { - (await operations.BeginDeleteWithHttpMessagesAsync(resourceGroupName, clusterName, null, cancellationToken).ConfigureAwait(false)).Dispose(); - } - - /// - /// Create or update a managed Cassandra cluster. When updating, you must - /// specify all writable properties. To update only some properties, use PATCH. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// The properties specifying the desired state of the managed Cassandra - /// cluster. - /// - public static ClusterResource BeginCreateUpdate(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName, ClusterResource body) - { - return operations.BeginCreateUpdateAsync(resourceGroupName, clusterName, body).GetAwaiter().GetResult(); - } - - /// - /// Create or update a managed Cassandra cluster. When updating, you must - /// specify all writable properties. To update only some properties, use PATCH. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// The properties specifying the desired state of the managed Cassandra - /// cluster. - /// - /// - /// The cancellation token. - /// - public static async Task BeginCreateUpdateAsync(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName, ClusterResource body, CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.BeginCreateUpdateWithHttpMessagesAsync(resourceGroupName, clusterName, body, null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - /// - /// Updates some of the properties of a managed Cassandra cluster. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Parameters to provide for specifying the managed Cassandra cluster. - /// - public static ClusterResource BeginUpdate(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName, ClusterResource body) - { - return operations.BeginUpdateAsync(resourceGroupName, clusterName, body).GetAwaiter().GetResult(); - } - - /// - /// Updates some of the properties of a managed Cassandra cluster. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Parameters to provide for specifying the managed Cassandra cluster. - /// - /// - /// The cancellation token. - /// - public static async Task BeginUpdateAsync(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName, ClusterResource body, CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.BeginUpdateWithHttpMessagesAsync(resourceGroupName, clusterName, body, null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - /// - /// Request that repair begin on this cluster as soon as possible. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Specification of what keyspaces and tables to run repair on. - /// - public static void BeginRequestRepair(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName, RepairPostBody body) - { - operations.BeginRequestRepairAsync(resourceGroupName, clusterName, body).GetAwaiter().GetResult(); - } - - /// - /// Request that repair begin on this cluster as soon as possible. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Specification of what keyspaces and tables to run repair on. - /// - /// - /// The cancellation token. - /// - public static async Task BeginRequestRepairAsync(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName, RepairPostBody body, CancellationToken cancellationToken = default(CancellationToken)) - { - (await operations.BeginRequestRepairWithHttpMessagesAsync(resourceGroupName, clusterName, body, null, cancellationToken).ConfigureAwait(false)).Dispose(); - } - - /// - /// Request the status of all nodes in the cluster (as returned by 'nodetool - /// status'). - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - public static ClusterNodeStatus BeginFetchNodeStatus(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName) - { - return operations.BeginFetchNodeStatusAsync(resourceGroupName, clusterName).GetAwaiter().GetResult(); - } - - /// - /// Request the status of all nodes in the cluster (as returned by 'nodetool - /// status'). - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// The cancellation token. - /// - public static async Task BeginFetchNodeStatusAsync(this ICassandraClustersOperations operations, string resourceGroupName, string clusterName, CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.BeginFetchNodeStatusWithHttpMessagesAsync(resourceGroupName, clusterName, null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/CassandraDataCentersOperations.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/CassandraDataCentersOperations.cs deleted file mode 100644 index 65290d58143d..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/CassandraDataCentersOperations.cs +++ /dev/null @@ -1,1476 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using Newtonsoft.Json; - using System.Collections; - using System.Collections.Generic; - using System.Linq; - using System.Net; - using System.Net.Http; - using System.Threading; - using System.Threading.Tasks; - - /// - /// CassandraDataCentersOperations operations. - /// - internal partial class CassandraDataCentersOperations : IServiceOperations, ICassandraDataCentersOperations - { - /// - /// Initializes a new instance of the CassandraDataCentersOperations class. - /// - /// - /// Reference to the service client. - /// - /// - /// Thrown when a required parameter is null - /// - internal CassandraDataCentersOperations(CosmosDBManagementClient client) - { - if (client == null) - { - throw new System.ArgumentNullException("client"); - } - Client = client; - } - - /// - /// Gets a reference to the CosmosDBManagementClient - /// - public CosmosDBManagementClient Client { get; private set; } - - /// - /// List all data centers in a particular managed Cassandra cluster. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// A response object containing the response body and response headers. - /// - public async Task>> ListWithHttpMessagesAsync(string resourceGroupName, string clusterName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - if (Client.SubscriptionId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); - } - if (Client.SubscriptionId != null) - { - if (Client.SubscriptionId.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.SubscriptionId", 1); - } - } - if (resourceGroupName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "resourceGroupName"); - } - if (resourceGroupName != null) - { - if (resourceGroupName.Length > 90) - { - throw new ValidationException(ValidationRules.MaxLength, "resourceGroupName", 90); - } - if (resourceGroupName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "resourceGroupName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(resourceGroupName, "^[-\\w\\._\\(\\)]+$")) - { - throw new ValidationException(ValidationRules.Pattern, "resourceGroupName", "^[-\\w\\._\\(\\)]+$"); - } - } - if (clusterName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "clusterName"); - } - if (clusterName != null) - { - if (clusterName.Length > 100) - { - throw new ValidationException(ValidationRules.MaxLength, "clusterName", 100); - } - if (clusterName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "clusterName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(clusterName, "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*")) - { - throw new ValidationException(ValidationRules.Pattern, "clusterName", "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*"); - } - } - if (Client.ApiVersion == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); - } - if (Client.ApiVersion != null) - { - if (Client.ApiVersion.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.ApiVersion", 1); - } - } - // Tracing - bool _shouldTrace = ServiceClientTracing.IsEnabled; - string _invocationId = null; - if (_shouldTrace) - { - _invocationId = ServiceClientTracing.NextInvocationId.ToString(); - Dictionary tracingParameters = new Dictionary(); - tracingParameters.Add("resourceGroupName", resourceGroupName); - tracingParameters.Add("clusterName", clusterName); - tracingParameters.Add("cancellationToken", cancellationToken); - ServiceClientTracing.Enter(_invocationId, this, "List", tracingParameters); - } - // Construct URL - var _baseUrl = Client.BaseUri.AbsoluteUri; - var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters").ToString(); - _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); - _url = _url.Replace("{resourceGroupName}", System.Uri.EscapeDataString(resourceGroupName)); - _url = _url.Replace("{clusterName}", System.Uri.EscapeDataString(clusterName)); - List _queryParameters = new List(); - if (Client.ApiVersion != null) - { - _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); - } - if (_queryParameters.Count > 0) - { - _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); - } - // Create HTTP transport objects - var _httpRequest = new HttpRequestMessage(); - HttpResponseMessage _httpResponse = null; - _httpRequest.Method = new HttpMethod("GET"); - _httpRequest.RequestUri = new System.Uri(_url); - // Set Headers - if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) - { - _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); - } - if (Client.AcceptLanguage != null) - { - if (_httpRequest.Headers.Contains("accept-language")) - { - _httpRequest.Headers.Remove("accept-language"); - } - _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); - } - - - if (customHeaders != null) - { - foreach(var _header in customHeaders) - { - if (_httpRequest.Headers.Contains(_header.Key)) - { - _httpRequest.Headers.Remove(_header.Key); - } - _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); - } - } - - // Serialize Request - string _requestContent = null; - // Set Credentials - if (Client.Credentials != null) - { - cancellationToken.ThrowIfCancellationRequested(); - await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - } - // Send Request - if (_shouldTrace) - { - ServiceClientTracing.SendRequest(_invocationId, _httpRequest); - } - cancellationToken.ThrowIfCancellationRequested(); - _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - if (_shouldTrace) - { - ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); - } - HttpStatusCode _statusCode = _httpResponse.StatusCode; - cancellationToken.ThrowIfCancellationRequested(); - string _responseContent = null; - if ((int)_statusCode != 200) - { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); - try - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - if (_errorBody != null) - { - ex = new CloudException(_errorBody.Message); - ex.Body = _errorBody; - } - } - catch (JsonException) - { - // Ignore the exception - } - ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); - ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Error(_invocationId, ex); - } - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw ex; - } - // Create Result - var _result = new AzureOperationResponse>(); - _result.Request = _httpRequest; - _result.Response = _httpResponse; - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - // Deserialize Response - if ((int)_statusCode == 200) - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - try - { - _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject>(_responseContent, Client.DeserializationSettings); - } - catch (JsonException ex) - { - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); - } - } - if (_shouldTrace) - { - ServiceClientTracing.Exit(_invocationId, _result); - } - return _result; - } - - /// - /// Get the properties of a managed Cassandra data center. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - /// - /// Headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// A response object containing the response body and response headers. - /// - public async Task> GetWithHttpMessagesAsync(string resourceGroupName, string clusterName, string dataCenterName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - if (Client.SubscriptionId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); - } - if (Client.SubscriptionId != null) - { - if (Client.SubscriptionId.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.SubscriptionId", 1); - } - } - if (resourceGroupName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "resourceGroupName"); - } - if (resourceGroupName != null) - { - if (resourceGroupName.Length > 90) - { - throw new ValidationException(ValidationRules.MaxLength, "resourceGroupName", 90); - } - if (resourceGroupName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "resourceGroupName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(resourceGroupName, "^[-\\w\\._\\(\\)]+$")) - { - throw new ValidationException(ValidationRules.Pattern, "resourceGroupName", "^[-\\w\\._\\(\\)]+$"); - } - } - if (clusterName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "clusterName"); - } - if (clusterName != null) - { - if (clusterName.Length > 100) - { - throw new ValidationException(ValidationRules.MaxLength, "clusterName", 100); - } - if (clusterName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "clusterName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(clusterName, "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*")) - { - throw new ValidationException(ValidationRules.Pattern, "clusterName", "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*"); - } - } - if (dataCenterName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "dataCenterName"); - } - if (dataCenterName != null) - { - if (dataCenterName.Length > 100) - { - throw new ValidationException(ValidationRules.MaxLength, "dataCenterName", 100); - } - if (dataCenterName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "dataCenterName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(dataCenterName, "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*")) - { - throw new ValidationException(ValidationRules.Pattern, "dataCenterName", "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*"); - } - } - if (Client.ApiVersion == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); - } - if (Client.ApiVersion != null) - { - if (Client.ApiVersion.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.ApiVersion", 1); - } - } - // Tracing - bool _shouldTrace = ServiceClientTracing.IsEnabled; - string _invocationId = null; - if (_shouldTrace) - { - _invocationId = ServiceClientTracing.NextInvocationId.ToString(); - Dictionary tracingParameters = new Dictionary(); - tracingParameters.Add("resourceGroupName", resourceGroupName); - tracingParameters.Add("clusterName", clusterName); - tracingParameters.Add("dataCenterName", dataCenterName); - tracingParameters.Add("cancellationToken", cancellationToken); - ServiceClientTracing.Enter(_invocationId, this, "Get", tracingParameters); - } - // Construct URL - var _baseUrl = Client.BaseUri.AbsoluteUri; - var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}").ToString(); - _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); - _url = _url.Replace("{resourceGroupName}", System.Uri.EscapeDataString(resourceGroupName)); - _url = _url.Replace("{clusterName}", System.Uri.EscapeDataString(clusterName)); - _url = _url.Replace("{dataCenterName}", System.Uri.EscapeDataString(dataCenterName)); - List _queryParameters = new List(); - if (Client.ApiVersion != null) - { - _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); - } - if (_queryParameters.Count > 0) - { - _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); - } - // Create HTTP transport objects - var _httpRequest = new HttpRequestMessage(); - HttpResponseMessage _httpResponse = null; - _httpRequest.Method = new HttpMethod("GET"); - _httpRequest.RequestUri = new System.Uri(_url); - // Set Headers - if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) - { - _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); - } - if (Client.AcceptLanguage != null) - { - if (_httpRequest.Headers.Contains("accept-language")) - { - _httpRequest.Headers.Remove("accept-language"); - } - _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); - } - - - if (customHeaders != null) - { - foreach(var _header in customHeaders) - { - if (_httpRequest.Headers.Contains(_header.Key)) - { - _httpRequest.Headers.Remove(_header.Key); - } - _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); - } - } - - // Serialize Request - string _requestContent = null; - // Set Credentials - if (Client.Credentials != null) - { - cancellationToken.ThrowIfCancellationRequested(); - await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - } - // Send Request - if (_shouldTrace) - { - ServiceClientTracing.SendRequest(_invocationId, _httpRequest); - } - cancellationToken.ThrowIfCancellationRequested(); - _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - if (_shouldTrace) - { - ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); - } - HttpStatusCode _statusCode = _httpResponse.StatusCode; - cancellationToken.ThrowIfCancellationRequested(); - string _responseContent = null; - if ((int)_statusCode != 200) - { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); - try - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - if (_errorBody != null) - { - ex = new CloudException(_errorBody.Message); - ex.Body = _errorBody; - } - } - catch (JsonException) - { - // Ignore the exception - } - ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); - ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Error(_invocationId, ex); - } - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw ex; - } - // Create Result - var _result = new AzureOperationResponse(); - _result.Request = _httpRequest; - _result.Response = _httpResponse; - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - // Deserialize Response - if ((int)_statusCode == 200) - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - try - { - _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - } - catch (JsonException ex) - { - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); - } - } - if (_shouldTrace) - { - ServiceClientTracing.Exit(_invocationId, _result); - } - return _result; - } - - /// - /// Delete a managed Cassandra data center. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - public async Task DeleteWithHttpMessagesAsync(string resourceGroupName, string clusterName, string dataCenterName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - // Send request - AzureOperationResponse _response = await BeginDeleteWithHttpMessagesAsync(resourceGroupName, clusterName, dataCenterName, customHeaders, cancellationToken).ConfigureAwait(false); - return await Client.GetPostOrDeleteOperationResultAsync(_response, customHeaders, cancellationToken).ConfigureAwait(false); - } - - /// - /// Create or update a managed Cassandra data center. When updating, overwrite - /// all properties. To update only some properties, use PATCH. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - /// - /// Parameters specifying the managed Cassandra data center. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - public async Task> CreateUpdateWithHttpMessagesAsync(string resourceGroupName, string clusterName, string dataCenterName, DataCenterResource body, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - // Send Request - AzureOperationResponse _response = await BeginCreateUpdateWithHttpMessagesAsync(resourceGroupName, clusterName, dataCenterName, body, customHeaders, cancellationToken).ConfigureAwait(false); - return await Client.GetPutOrPatchOperationResultAsync(_response, customHeaders, cancellationToken).ConfigureAwait(false); - } - - /// - /// Update some of the properties of a managed Cassandra data center. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - /// - /// Parameters to provide for specifying the managed Cassandra data center. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - public async Task> UpdateWithHttpMessagesAsync(string resourceGroupName, string clusterName, string dataCenterName, DataCenterResource body, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - // Send Request - AzureOperationResponse _response = await BeginUpdateWithHttpMessagesAsync(resourceGroupName, clusterName, dataCenterName, body, customHeaders, cancellationToken).ConfigureAwait(false); - return await Client.GetPutOrPatchOperationResultAsync(_response, customHeaders, cancellationToken).ConfigureAwait(false); - } - - /// - /// Delete a managed Cassandra data center. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - /// - /// Headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// A response object containing the response body and response headers. - /// - public async Task BeginDeleteWithHttpMessagesAsync(string resourceGroupName, string clusterName, string dataCenterName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - if (Client.SubscriptionId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); - } - if (Client.SubscriptionId != null) - { - if (Client.SubscriptionId.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.SubscriptionId", 1); - } - } - if (resourceGroupName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "resourceGroupName"); - } - if (resourceGroupName != null) - { - if (resourceGroupName.Length > 90) - { - throw new ValidationException(ValidationRules.MaxLength, "resourceGroupName", 90); - } - if (resourceGroupName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "resourceGroupName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(resourceGroupName, "^[-\\w\\._\\(\\)]+$")) - { - throw new ValidationException(ValidationRules.Pattern, "resourceGroupName", "^[-\\w\\._\\(\\)]+$"); - } - } - if (clusterName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "clusterName"); - } - if (clusterName != null) - { - if (clusterName.Length > 100) - { - throw new ValidationException(ValidationRules.MaxLength, "clusterName", 100); - } - if (clusterName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "clusterName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(clusterName, "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*")) - { - throw new ValidationException(ValidationRules.Pattern, "clusterName", "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*"); - } - } - if (dataCenterName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "dataCenterName"); - } - if (dataCenterName != null) - { - if (dataCenterName.Length > 100) - { - throw new ValidationException(ValidationRules.MaxLength, "dataCenterName", 100); - } - if (dataCenterName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "dataCenterName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(dataCenterName, "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*")) - { - throw new ValidationException(ValidationRules.Pattern, "dataCenterName", "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*"); - } - } - if (Client.ApiVersion == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); - } - if (Client.ApiVersion != null) - { - if (Client.ApiVersion.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.ApiVersion", 1); - } - } - // Tracing - bool _shouldTrace = ServiceClientTracing.IsEnabled; - string _invocationId = null; - if (_shouldTrace) - { - _invocationId = ServiceClientTracing.NextInvocationId.ToString(); - Dictionary tracingParameters = new Dictionary(); - tracingParameters.Add("resourceGroupName", resourceGroupName); - tracingParameters.Add("clusterName", clusterName); - tracingParameters.Add("dataCenterName", dataCenterName); - tracingParameters.Add("cancellationToken", cancellationToken); - ServiceClientTracing.Enter(_invocationId, this, "BeginDelete", tracingParameters); - } - // Construct URL - var _baseUrl = Client.BaseUri.AbsoluteUri; - var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}").ToString(); - _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); - _url = _url.Replace("{resourceGroupName}", System.Uri.EscapeDataString(resourceGroupName)); - _url = _url.Replace("{clusterName}", System.Uri.EscapeDataString(clusterName)); - _url = _url.Replace("{dataCenterName}", System.Uri.EscapeDataString(dataCenterName)); - List _queryParameters = new List(); - if (Client.ApiVersion != null) - { - _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); - } - if (_queryParameters.Count > 0) - { - _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); - } - // Create HTTP transport objects - var _httpRequest = new HttpRequestMessage(); - HttpResponseMessage _httpResponse = null; - _httpRequest.Method = new HttpMethod("DELETE"); - _httpRequest.RequestUri = new System.Uri(_url); - // Set Headers - if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) - { - _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); - } - if (Client.AcceptLanguage != null) - { - if (_httpRequest.Headers.Contains("accept-language")) - { - _httpRequest.Headers.Remove("accept-language"); - } - _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); - } - - - if (customHeaders != null) - { - foreach(var _header in customHeaders) - { - if (_httpRequest.Headers.Contains(_header.Key)) - { - _httpRequest.Headers.Remove(_header.Key); - } - _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); - } - } - - // Serialize Request - string _requestContent = null; - // Set Credentials - if (Client.Credentials != null) - { - cancellationToken.ThrowIfCancellationRequested(); - await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - } - // Send Request - if (_shouldTrace) - { - ServiceClientTracing.SendRequest(_invocationId, _httpRequest); - } - cancellationToken.ThrowIfCancellationRequested(); - _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - if (_shouldTrace) - { - ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); - } - HttpStatusCode _statusCode = _httpResponse.StatusCode; - cancellationToken.ThrowIfCancellationRequested(); - string _responseContent = null; - if ((int)_statusCode != 202 && (int)_statusCode != 204) - { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); - try - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - if (_errorBody != null) - { - ex = new CloudException(_errorBody.Message); - ex.Body = _errorBody; - } - } - catch (JsonException) - { - // Ignore the exception - } - ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); - ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Error(_invocationId, ex); - } - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw ex; - } - // Create Result - var _result = new AzureOperationResponse(); - _result.Request = _httpRequest; - _result.Response = _httpResponse; - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Exit(_invocationId, _result); - } - return _result; - } - - /// - /// Create or update a managed Cassandra data center. When updating, overwrite - /// all properties. To update only some properties, use PATCH. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - /// - /// Parameters specifying the managed Cassandra data center. - /// - /// - /// Headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// A response object containing the response body and response headers. - /// - public async Task> BeginCreateUpdateWithHttpMessagesAsync(string resourceGroupName, string clusterName, string dataCenterName, DataCenterResource body, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - if (Client.SubscriptionId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); - } - if (Client.SubscriptionId != null) - { - if (Client.SubscriptionId.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.SubscriptionId", 1); - } - } - if (resourceGroupName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "resourceGroupName"); - } - if (resourceGroupName != null) - { - if (resourceGroupName.Length > 90) - { - throw new ValidationException(ValidationRules.MaxLength, "resourceGroupName", 90); - } - if (resourceGroupName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "resourceGroupName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(resourceGroupName, "^[-\\w\\._\\(\\)]+$")) - { - throw new ValidationException(ValidationRules.Pattern, "resourceGroupName", "^[-\\w\\._\\(\\)]+$"); - } - } - if (clusterName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "clusterName"); - } - if (clusterName != null) - { - if (clusterName.Length > 100) - { - throw new ValidationException(ValidationRules.MaxLength, "clusterName", 100); - } - if (clusterName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "clusterName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(clusterName, "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*")) - { - throw new ValidationException(ValidationRules.Pattern, "clusterName", "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*"); - } - } - if (dataCenterName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "dataCenterName"); - } - if (dataCenterName != null) - { - if (dataCenterName.Length > 100) - { - throw new ValidationException(ValidationRules.MaxLength, "dataCenterName", 100); - } - if (dataCenterName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "dataCenterName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(dataCenterName, "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*")) - { - throw new ValidationException(ValidationRules.Pattern, "dataCenterName", "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*"); - } - } - if (Client.ApiVersion == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); - } - if (Client.ApiVersion != null) - { - if (Client.ApiVersion.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.ApiVersion", 1); - } - } - if (body == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "body"); - } - // Tracing - bool _shouldTrace = ServiceClientTracing.IsEnabled; - string _invocationId = null; - if (_shouldTrace) - { - _invocationId = ServiceClientTracing.NextInvocationId.ToString(); - Dictionary tracingParameters = new Dictionary(); - tracingParameters.Add("resourceGroupName", resourceGroupName); - tracingParameters.Add("clusterName", clusterName); - tracingParameters.Add("dataCenterName", dataCenterName); - tracingParameters.Add("body", body); - tracingParameters.Add("cancellationToken", cancellationToken); - ServiceClientTracing.Enter(_invocationId, this, "BeginCreateUpdate", tracingParameters); - } - // Construct URL - var _baseUrl = Client.BaseUri.AbsoluteUri; - var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}").ToString(); - _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); - _url = _url.Replace("{resourceGroupName}", System.Uri.EscapeDataString(resourceGroupName)); - _url = _url.Replace("{clusterName}", System.Uri.EscapeDataString(clusterName)); - _url = _url.Replace("{dataCenterName}", System.Uri.EscapeDataString(dataCenterName)); - List _queryParameters = new List(); - if (Client.ApiVersion != null) - { - _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); - } - if (_queryParameters.Count > 0) - { - _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); - } - // Create HTTP transport objects - var _httpRequest = new HttpRequestMessage(); - HttpResponseMessage _httpResponse = null; - _httpRequest.Method = new HttpMethod("PUT"); - _httpRequest.RequestUri = new System.Uri(_url); - // Set Headers - if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) - { - _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); - } - if (Client.AcceptLanguage != null) - { - if (_httpRequest.Headers.Contains("accept-language")) - { - _httpRequest.Headers.Remove("accept-language"); - } - _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); - } - - - if (customHeaders != null) - { - foreach(var _header in customHeaders) - { - if (_httpRequest.Headers.Contains(_header.Key)) - { - _httpRequest.Headers.Remove(_header.Key); - } - _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); - } - } - - // Serialize Request - string _requestContent = null; - if(body != null) - { - _requestContent = Rest.Serialization.SafeJsonConvert.SerializeObject(body, Client.SerializationSettings); - _httpRequest.Content = new StringContent(_requestContent, System.Text.Encoding.UTF8); - _httpRequest.Content.Headers.ContentType =System.Net.Http.Headers.MediaTypeHeaderValue.Parse("application/json; charset=utf-8"); - } - // Set Credentials - if (Client.Credentials != null) - { - cancellationToken.ThrowIfCancellationRequested(); - await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - } - // Send Request - if (_shouldTrace) - { - ServiceClientTracing.SendRequest(_invocationId, _httpRequest); - } - cancellationToken.ThrowIfCancellationRequested(); - _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - if (_shouldTrace) - { - ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); - } - HttpStatusCode _statusCode = _httpResponse.StatusCode; - cancellationToken.ThrowIfCancellationRequested(); - string _responseContent = null; - if ((int)_statusCode != 200 && (int)_statusCode != 201) - { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); - try - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - if (_errorBody != null) - { - ex = new CloudException(_errorBody.Message); - ex.Body = _errorBody; - } - } - catch (JsonException) - { - // Ignore the exception - } - ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); - ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Error(_invocationId, ex); - } - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw ex; - } - // Create Result - var _result = new AzureOperationResponse(); - _result.Request = _httpRequest; - _result.Response = _httpResponse; - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - // Deserialize Response - if ((int)_statusCode == 200) - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - try - { - _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - } - catch (JsonException ex) - { - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); - } - } - // Deserialize Response - if ((int)_statusCode == 201) - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - try - { - _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - } - catch (JsonException ex) - { - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); - } - } - if (_shouldTrace) - { - ServiceClientTracing.Exit(_invocationId, _result); - } - return _result; - } - - /// - /// Update some of the properties of a managed Cassandra data center. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - /// - /// Parameters to provide for specifying the managed Cassandra data center. - /// - /// - /// Headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// A response object containing the response body and response headers. - /// - public async Task> BeginUpdateWithHttpMessagesAsync(string resourceGroupName, string clusterName, string dataCenterName, DataCenterResource body, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - if (Client.SubscriptionId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); - } - if (Client.SubscriptionId != null) - { - if (Client.SubscriptionId.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.SubscriptionId", 1); - } - } - if (resourceGroupName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "resourceGroupName"); - } - if (resourceGroupName != null) - { - if (resourceGroupName.Length > 90) - { - throw new ValidationException(ValidationRules.MaxLength, "resourceGroupName", 90); - } - if (resourceGroupName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "resourceGroupName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(resourceGroupName, "^[-\\w\\._\\(\\)]+$")) - { - throw new ValidationException(ValidationRules.Pattern, "resourceGroupName", "^[-\\w\\._\\(\\)]+$"); - } - } - if (clusterName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "clusterName"); - } - if (clusterName != null) - { - if (clusterName.Length > 100) - { - throw new ValidationException(ValidationRules.MaxLength, "clusterName", 100); - } - if (clusterName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "clusterName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(clusterName, "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*")) - { - throw new ValidationException(ValidationRules.Pattern, "clusterName", "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*"); - } - } - if (dataCenterName == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "dataCenterName"); - } - if (dataCenterName != null) - { - if (dataCenterName.Length > 100) - { - throw new ValidationException(ValidationRules.MaxLength, "dataCenterName", 100); - } - if (dataCenterName.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "dataCenterName", 1); - } - if (!System.Text.RegularExpressions.Regex.IsMatch(dataCenterName, "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*")) - { - throw new ValidationException(ValidationRules.Pattern, "dataCenterName", "^[a-zA-Z0-9]+(-[a-zA-Z0-9]+)*"); - } - } - if (Client.ApiVersion == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); - } - if (Client.ApiVersion != null) - { - if (Client.ApiVersion.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.ApiVersion", 1); - } - } - if (body == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "body"); - } - // Tracing - bool _shouldTrace = ServiceClientTracing.IsEnabled; - string _invocationId = null; - if (_shouldTrace) - { - _invocationId = ServiceClientTracing.NextInvocationId.ToString(); - Dictionary tracingParameters = new Dictionary(); - tracingParameters.Add("resourceGroupName", resourceGroupName); - tracingParameters.Add("clusterName", clusterName); - tracingParameters.Add("dataCenterName", dataCenterName); - tracingParameters.Add("body", body); - tracingParameters.Add("cancellationToken", cancellationToken); - ServiceClientTracing.Enter(_invocationId, this, "BeginUpdate", tracingParameters); - } - // Construct URL - var _baseUrl = Client.BaseUri.AbsoluteUri; - var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}").ToString(); - _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); - _url = _url.Replace("{resourceGroupName}", System.Uri.EscapeDataString(resourceGroupName)); - _url = _url.Replace("{clusterName}", System.Uri.EscapeDataString(clusterName)); - _url = _url.Replace("{dataCenterName}", System.Uri.EscapeDataString(dataCenterName)); - List _queryParameters = new List(); - if (Client.ApiVersion != null) - { - _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); - } - if (_queryParameters.Count > 0) - { - _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); - } - // Create HTTP transport objects - var _httpRequest = new HttpRequestMessage(); - HttpResponseMessage _httpResponse = null; - _httpRequest.Method = new HttpMethod("PATCH"); - _httpRequest.RequestUri = new System.Uri(_url); - // Set Headers - if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) - { - _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); - } - if (Client.AcceptLanguage != null) - { - if (_httpRequest.Headers.Contains("accept-language")) - { - _httpRequest.Headers.Remove("accept-language"); - } - _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); - } - - - if (customHeaders != null) - { - foreach(var _header in customHeaders) - { - if (_httpRequest.Headers.Contains(_header.Key)) - { - _httpRequest.Headers.Remove(_header.Key); - } - _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); - } - } - - // Serialize Request - string _requestContent = null; - if(body != null) - { - _requestContent = Rest.Serialization.SafeJsonConvert.SerializeObject(body, Client.SerializationSettings); - _httpRequest.Content = new StringContent(_requestContent, System.Text.Encoding.UTF8); - _httpRequest.Content.Headers.ContentType =System.Net.Http.Headers.MediaTypeHeaderValue.Parse("application/json; charset=utf-8"); - } - // Set Credentials - if (Client.Credentials != null) - { - cancellationToken.ThrowIfCancellationRequested(); - await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - } - // Send Request - if (_shouldTrace) - { - ServiceClientTracing.SendRequest(_invocationId, _httpRequest); - } - cancellationToken.ThrowIfCancellationRequested(); - _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - if (_shouldTrace) - { - ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); - } - HttpStatusCode _statusCode = _httpResponse.StatusCode; - cancellationToken.ThrowIfCancellationRequested(); - string _responseContent = null; - if ((int)_statusCode != 200 && (int)_statusCode != 202) - { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); - try - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - if (_errorBody != null) - { - ex = new CloudException(_errorBody.Message); - ex.Body = _errorBody; - } - } - catch (JsonException) - { - // Ignore the exception - } - ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); - ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Error(_invocationId, ex); - } - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw ex; - } - // Create Result - var _result = new AzureOperationResponse(); - _result.Request = _httpRequest; - _result.Response = _httpResponse; - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - // Deserialize Response - if ((int)_statusCode == 200) - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - try - { - _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - } - catch (JsonException ex) - { - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); - } - } - // Deserialize Response - if ((int)_statusCode == 202) - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - try - { - _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - } - catch (JsonException ex) - { - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); - } - } - if (_shouldTrace) - { - ServiceClientTracing.Exit(_invocationId, _result); - } - return _result; - } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/CassandraDataCentersOperationsExtensions.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/CassandraDataCentersOperationsExtensions.cs deleted file mode 100644 index 459f72b07318..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/CassandraDataCentersOperationsExtensions.cs +++ /dev/null @@ -1,411 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using System.Collections; - using System.Collections.Generic; - using System.Threading; - using System.Threading.Tasks; - - /// - /// Extension methods for CassandraDataCentersOperations. - /// - public static partial class CassandraDataCentersOperationsExtensions - { - /// - /// List all data centers in a particular managed Cassandra cluster. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - public static IEnumerable List(this ICassandraDataCentersOperations operations, string resourceGroupName, string clusterName) - { - return operations.ListAsync(resourceGroupName, clusterName).GetAwaiter().GetResult(); - } - - /// - /// List all data centers in a particular managed Cassandra cluster. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// The cancellation token. - /// - public static async Task> ListAsync(this ICassandraDataCentersOperations operations, string resourceGroupName, string clusterName, CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.ListWithHttpMessagesAsync(resourceGroupName, clusterName, null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - /// - /// Get the properties of a managed Cassandra data center. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - public static DataCenterResource Get(this ICassandraDataCentersOperations operations, string resourceGroupName, string clusterName, string dataCenterName) - { - return operations.GetAsync(resourceGroupName, clusterName, dataCenterName).GetAwaiter().GetResult(); - } - - /// - /// Get the properties of a managed Cassandra data center. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - /// - /// The cancellation token. - /// - public static async Task GetAsync(this ICassandraDataCentersOperations operations, string resourceGroupName, string clusterName, string dataCenterName, CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.GetWithHttpMessagesAsync(resourceGroupName, clusterName, dataCenterName, null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - /// - /// Delete a managed Cassandra data center. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - public static void Delete(this ICassandraDataCentersOperations operations, string resourceGroupName, string clusterName, string dataCenterName) - { - operations.DeleteAsync(resourceGroupName, clusterName, dataCenterName).GetAwaiter().GetResult(); - } - - /// - /// Delete a managed Cassandra data center. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - /// - /// The cancellation token. - /// - public static async Task DeleteAsync(this ICassandraDataCentersOperations operations, string resourceGroupName, string clusterName, string dataCenterName, CancellationToken cancellationToken = default(CancellationToken)) - { - (await operations.DeleteWithHttpMessagesAsync(resourceGroupName, clusterName, dataCenterName, null, cancellationToken).ConfigureAwait(false)).Dispose(); - } - - /// - /// Create or update a managed Cassandra data center. When updating, overwrite - /// all properties. To update only some properties, use PATCH. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - /// - /// Parameters specifying the managed Cassandra data center. - /// - public static DataCenterResource CreateUpdate(this ICassandraDataCentersOperations operations, string resourceGroupName, string clusterName, string dataCenterName, DataCenterResource body) - { - return operations.CreateUpdateAsync(resourceGroupName, clusterName, dataCenterName, body).GetAwaiter().GetResult(); - } - - /// - /// Create or update a managed Cassandra data center. When updating, overwrite - /// all properties. To update only some properties, use PATCH. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - /// - /// Parameters specifying the managed Cassandra data center. - /// - /// - /// The cancellation token. - /// - public static async Task CreateUpdateAsync(this ICassandraDataCentersOperations operations, string resourceGroupName, string clusterName, string dataCenterName, DataCenterResource body, CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.CreateUpdateWithHttpMessagesAsync(resourceGroupName, clusterName, dataCenterName, body, null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - /// - /// Update some of the properties of a managed Cassandra data center. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - /// - /// Parameters to provide for specifying the managed Cassandra data center. - /// - public static DataCenterResource Update(this ICassandraDataCentersOperations operations, string resourceGroupName, string clusterName, string dataCenterName, DataCenterResource body) - { - return operations.UpdateAsync(resourceGroupName, clusterName, dataCenterName, body).GetAwaiter().GetResult(); - } - - /// - /// Update some of the properties of a managed Cassandra data center. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - /// - /// Parameters to provide for specifying the managed Cassandra data center. - /// - /// - /// The cancellation token. - /// - public static async Task UpdateAsync(this ICassandraDataCentersOperations operations, string resourceGroupName, string clusterName, string dataCenterName, DataCenterResource body, CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.UpdateWithHttpMessagesAsync(resourceGroupName, clusterName, dataCenterName, body, null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - /// - /// Delete a managed Cassandra data center. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - public static void BeginDelete(this ICassandraDataCentersOperations operations, string resourceGroupName, string clusterName, string dataCenterName) - { - operations.BeginDeleteAsync(resourceGroupName, clusterName, dataCenterName).GetAwaiter().GetResult(); - } - - /// - /// Delete a managed Cassandra data center. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - /// - /// The cancellation token. - /// - public static async Task BeginDeleteAsync(this ICassandraDataCentersOperations operations, string resourceGroupName, string clusterName, string dataCenterName, CancellationToken cancellationToken = default(CancellationToken)) - { - (await operations.BeginDeleteWithHttpMessagesAsync(resourceGroupName, clusterName, dataCenterName, null, cancellationToken).ConfigureAwait(false)).Dispose(); - } - - /// - /// Create or update a managed Cassandra data center. When updating, overwrite - /// all properties. To update only some properties, use PATCH. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - /// - /// Parameters specifying the managed Cassandra data center. - /// - public static DataCenterResource BeginCreateUpdate(this ICassandraDataCentersOperations operations, string resourceGroupName, string clusterName, string dataCenterName, DataCenterResource body) - { - return operations.BeginCreateUpdateAsync(resourceGroupName, clusterName, dataCenterName, body).GetAwaiter().GetResult(); - } - - /// - /// Create or update a managed Cassandra data center. When updating, overwrite - /// all properties. To update only some properties, use PATCH. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - /// - /// Parameters specifying the managed Cassandra data center. - /// - /// - /// The cancellation token. - /// - public static async Task BeginCreateUpdateAsync(this ICassandraDataCentersOperations operations, string resourceGroupName, string clusterName, string dataCenterName, DataCenterResource body, CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.BeginCreateUpdateWithHttpMessagesAsync(resourceGroupName, clusterName, dataCenterName, body, null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - /// - /// Update some of the properties of a managed Cassandra data center. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - /// - /// Parameters to provide for specifying the managed Cassandra data center. - /// - public static DataCenterResource BeginUpdate(this ICassandraDataCentersOperations operations, string resourceGroupName, string clusterName, string dataCenterName, DataCenterResource body) - { - return operations.BeginUpdateAsync(resourceGroupName, clusterName, dataCenterName, body).GetAwaiter().GetResult(); - } - - /// - /// Update some of the properties of a managed Cassandra data center. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - /// - /// Parameters to provide for specifying the managed Cassandra data center. - /// - /// - /// The cancellation token. - /// - public static async Task BeginUpdateAsync(this ICassandraDataCentersOperations operations, string resourceGroupName, string clusterName, string dataCenterName, DataCenterResource body, CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.BeginUpdateWithHttpMessagesAsync(resourceGroupName, clusterName, dataCenterName, body, null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/CosmosDBManagementClient.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/CosmosDBManagementClient.cs index 38da29bc4cee..25b7694ddf45 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/CosmosDBManagementClient.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/CosmosDBManagementClient.cs @@ -44,14 +44,14 @@ public partial class CosmosDBManagementClient : ServiceClient - /// The ID of the target subscription. + /// The API version to use for this operation. /// - public string SubscriptionId { get; set; } + public string ApiVersion { get; private set; } /// - /// The API version to use for this operation. + /// The ID of the target subscription. /// - public string ApiVersion { get; private set; } + public string SubscriptionId { get; set; } /// /// The preferred language for the response. @@ -161,56 +161,11 @@ public partial class CosmosDBManagementClient : ServiceClient public virtual IGremlinResourcesOperations GremlinResources { get; private set; } - /// - /// Gets the IRestorableDatabaseAccountsOperations. - /// - public virtual IRestorableDatabaseAccountsOperations RestorableDatabaseAccounts { get; private set; } - /// /// Gets the INotebookWorkspacesOperations. /// public virtual INotebookWorkspacesOperations NotebookWorkspaces { get; private set; } - /// - /// Gets the IRestorableSqlDatabasesOperations. - /// - public virtual IRestorableSqlDatabasesOperations RestorableSqlDatabases { get; private set; } - - /// - /// Gets the IRestorableSqlContainersOperations. - /// - public virtual IRestorableSqlContainersOperations RestorableSqlContainers { get; private set; } - - /// - /// Gets the IRestorableSqlResourcesOperations. - /// - public virtual IRestorableSqlResourcesOperations RestorableSqlResources { get; private set; } - - /// - /// Gets the IRestorableMongodbDatabasesOperations. - /// - public virtual IRestorableMongodbDatabasesOperations RestorableMongodbDatabases { get; private set; } - - /// - /// Gets the IRestorableMongodbCollectionsOperations. - /// - public virtual IRestorableMongodbCollectionsOperations RestorableMongodbCollections { get; private set; } - - /// - /// Gets the IRestorableMongodbResourcesOperations. - /// - public virtual IRestorableMongodbResourcesOperations RestorableMongodbResources { get; private set; } - - /// - /// Gets the ICassandraClustersOperations. - /// - public virtual ICassandraClustersOperations CassandraClusters { get; private set; } - - /// - /// Gets the ICassandraDataCentersOperations. - /// - public virtual ICassandraDataCentersOperations CassandraDataCenters { get; private set; } - /// /// Gets the IPrivateLinkResourcesOperations. /// @@ -480,20 +435,11 @@ private void Initialize() TableResources = new TableResourcesOperations(this); CassandraResources = new CassandraResourcesOperations(this); GremlinResources = new GremlinResourcesOperations(this); - RestorableDatabaseAccounts = new RestorableDatabaseAccountsOperations(this); NotebookWorkspaces = new NotebookWorkspacesOperations(this); - RestorableSqlDatabases = new RestorableSqlDatabasesOperations(this); - RestorableSqlContainers = new RestorableSqlContainersOperations(this); - RestorableSqlResources = new RestorableSqlResourcesOperations(this); - RestorableMongodbDatabases = new RestorableMongodbDatabasesOperations(this); - RestorableMongodbCollections = new RestorableMongodbCollectionsOperations(this); - RestorableMongodbResources = new RestorableMongodbResourcesOperations(this); - CassandraClusters = new CassandraClustersOperations(this); - CassandraDataCenters = new CassandraDataCentersOperations(this); PrivateLinkResources = new PrivateLinkResourcesOperations(this); PrivateEndpointConnections = new PrivateEndpointConnectionsOperations(this); BaseUri = new System.Uri("https://management.azure.com"); - ApiVersion = "2021-03-01-preview"; + ApiVersion = "2021-04-15"; AcceptLanguage = "en-US"; LongRunningOperationRetryTimeout = 30; GenerateClientRequestId = true; @@ -525,8 +471,6 @@ private void Initialize() }; SerializationSettings.Converters.Add(new PolymorphicSerializeJsonConverter("type")); DeserializationSettings.Converters.Add(new PolymorphicDeserializeJsonConverter("type")); - SerializationSettings.Converters.Add(new PolymorphicSerializeJsonConverter("createMode")); - DeserializationSettings.Converters.Add(new PolymorphicDeserializeJsonConverter("createMode")); CustomInitialize(); DeserializationSettings.Converters.Add(new TransformationJsonConverter()); DeserializationSettings.Converters.Add(new CloudErrorJsonConverter()); diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/ICassandraClustersOperations.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/ICassandraClustersOperations.cs deleted file mode 100644 index 3adac902a7f9..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/ICassandraClustersOperations.cs +++ /dev/null @@ -1,411 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using System.Collections; - using System.Collections.Generic; - using System.Threading; - using System.Threading.Tasks; - - /// - /// CassandraClustersOperations operations. - /// - public partial interface ICassandraClustersOperations - { - /// - /// List all managed Cassandra clusters in this subscription. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task>> ListBySubscriptionWithHttpMessagesAsync(Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - /// - /// List all managed Cassandra clusters in this resource group. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task>> ListByResourceGroupWithHttpMessagesAsync(string resourceGroupName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - /// - /// Get the properties of a managed Cassandra cluster. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task> GetWithHttpMessagesAsync(string resourceGroupName, string clusterName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - /// - /// Deletes a managed Cassandra cluster. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when a required parameter is null - /// - Task DeleteWithHttpMessagesAsync(string resourceGroupName, string clusterName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - /// - /// Create or update a managed Cassandra cluster. When updating, you - /// must specify all writable properties. To update only some - /// properties, use PATCH. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// The properties specifying the desired state of the managed - /// Cassandra cluster. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task> CreateUpdateWithHttpMessagesAsync(string resourceGroupName, string clusterName, ClusterResource body, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - /// - /// Updates some of the properties of a managed Cassandra cluster. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Parameters to provide for specifying the managed Cassandra cluster. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task> UpdateWithHttpMessagesAsync(string resourceGroupName, string clusterName, ClusterResource body, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - /// - /// Request that repair begin on this cluster as soon as possible. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Specification of what keyspaces and tables to run repair on. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when a required parameter is null - /// - Task RequestRepairWithHttpMessagesAsync(string resourceGroupName, string clusterName, RepairPostBody body, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - /// - /// Request the status of all nodes in the cluster (as returned by - /// 'nodetool status'). - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task> FetchNodeStatusWithHttpMessagesAsync(string resourceGroupName, string clusterName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - /// - /// List the backups of this cluster that are available to restore. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task>> ListBackupsMethodWithHttpMessagesAsync(string resourceGroupName, string clusterName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - /// - /// Get the properties of an individual backup of this cluster that is - /// available to restore. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Id of a restorable backup of a Cassandra cluster. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task> GetBackupWithHttpMessagesAsync(string resourceGroupName, string clusterName, string backupId, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - /// - /// Deletes a managed Cassandra cluster. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when a required parameter is null - /// - Task BeginDeleteWithHttpMessagesAsync(string resourceGroupName, string clusterName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - /// - /// Create or update a managed Cassandra cluster. When updating, you - /// must specify all writable properties. To update only some - /// properties, use PATCH. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// The properties specifying the desired state of the managed - /// Cassandra cluster. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task> BeginCreateUpdateWithHttpMessagesAsync(string resourceGroupName, string clusterName, ClusterResource body, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - /// - /// Updates some of the properties of a managed Cassandra cluster. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Parameters to provide for specifying the managed Cassandra cluster. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task> BeginUpdateWithHttpMessagesAsync(string resourceGroupName, string clusterName, ClusterResource body, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - /// - /// Request that repair begin on this cluster as soon as possible. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Specification of what keyspaces and tables to run repair on. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when a required parameter is null - /// - Task BeginRequestRepairWithHttpMessagesAsync(string resourceGroupName, string clusterName, RepairPostBody body, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - /// - /// Request the status of all nodes in the cluster (as returned by - /// 'nodetool status'). - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task> BeginFetchNodeStatusWithHttpMessagesAsync(string resourceGroupName, string clusterName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/ICassandraDataCentersOperations.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/ICassandraDataCentersOperations.cs deleted file mode 100644 index ffea9ec84738..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/ICassandraDataCentersOperations.cs +++ /dev/null @@ -1,260 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using System.Collections; - using System.Collections.Generic; - using System.Threading; - using System.Threading.Tasks; - - /// - /// CassandraDataCentersOperations operations. - /// - public partial interface ICassandraDataCentersOperations - { - /// - /// List all data centers in a particular managed Cassandra cluster. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task>> ListWithHttpMessagesAsync(string resourceGroupName, string clusterName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - /// - /// Get the properties of a managed Cassandra data center. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task> GetWithHttpMessagesAsync(string resourceGroupName, string clusterName, string dataCenterName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - /// - /// Delete a managed Cassandra data center. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when a required parameter is null - /// - Task DeleteWithHttpMessagesAsync(string resourceGroupName, string clusterName, string dataCenterName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - /// - /// Create or update a managed Cassandra data center. When updating, - /// overwrite all properties. To update only some properties, use - /// PATCH. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - /// - /// Parameters specifying the managed Cassandra data center. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task> CreateUpdateWithHttpMessagesAsync(string resourceGroupName, string clusterName, string dataCenterName, DataCenterResource body, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - /// - /// Update some of the properties of a managed Cassandra data center. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - /// - /// Parameters to provide for specifying the managed Cassandra data - /// center. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task> UpdateWithHttpMessagesAsync(string resourceGroupName, string clusterName, string dataCenterName, DataCenterResource body, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - /// - /// Delete a managed Cassandra data center. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when a required parameter is null - /// - Task BeginDeleteWithHttpMessagesAsync(string resourceGroupName, string clusterName, string dataCenterName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - /// - /// Create or update a managed Cassandra data center. When updating, - /// overwrite all properties. To update only some properties, use - /// PATCH. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - /// - /// Parameters specifying the managed Cassandra data center. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task> BeginCreateUpdateWithHttpMessagesAsync(string resourceGroupName, string clusterName, string dataCenterName, DataCenterResource body, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - /// - /// Update some of the properties of a managed Cassandra data center. - /// - /// - /// The name of the resource group. The name is case insensitive. - /// - /// - /// Managed Cassandra cluster name. - /// - /// - /// Data center name in a managed Cassandra cluster. - /// - /// - /// Parameters to provide for specifying the managed Cassandra data - /// center. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task> BeginUpdateWithHttpMessagesAsync(string resourceGroupName, string clusterName, string dataCenterName, DataCenterResource body, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/ICosmosDBManagementClient.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/ICosmosDBManagementClient.cs index ceb7cfdfa4f6..6825f20dff2a 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/ICosmosDBManagementClient.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/ICosmosDBManagementClient.cs @@ -40,14 +40,14 @@ public partial interface ICosmosDBManagementClient : System.IDisposable ServiceClientCredentials Credentials { get; } /// - /// The ID of the target subscription. + /// The API version to use for this operation. /// - string SubscriptionId { get; set; } + string ApiVersion { get; } /// - /// The API version to use for this operation. + /// The ID of the target subscription. /// - string ApiVersion { get; } + string SubscriptionId { get; set; } /// /// The preferred language for the response. @@ -158,56 +158,11 @@ public partial interface ICosmosDBManagementClient : System.IDisposable /// IGremlinResourcesOperations GremlinResources { get; } - /// - /// Gets the IRestorableDatabaseAccountsOperations. - /// - IRestorableDatabaseAccountsOperations RestorableDatabaseAccounts { get; } - /// /// Gets the INotebookWorkspacesOperations. /// INotebookWorkspacesOperations NotebookWorkspaces { get; } - /// - /// Gets the IRestorableSqlDatabasesOperations. - /// - IRestorableSqlDatabasesOperations RestorableSqlDatabases { get; } - - /// - /// Gets the IRestorableSqlContainersOperations. - /// - IRestorableSqlContainersOperations RestorableSqlContainers { get; } - - /// - /// Gets the IRestorableSqlResourcesOperations. - /// - IRestorableSqlResourcesOperations RestorableSqlResources { get; } - - /// - /// Gets the IRestorableMongodbDatabasesOperations. - /// - IRestorableMongodbDatabasesOperations RestorableMongodbDatabases { get; } - - /// - /// Gets the IRestorableMongodbCollectionsOperations. - /// - IRestorableMongodbCollectionsOperations RestorableMongodbCollections { get; } - - /// - /// Gets the IRestorableMongodbResourcesOperations. - /// - IRestorableMongodbResourcesOperations RestorableMongodbResources { get; } - - /// - /// Gets the ICassandraClustersOperations. - /// - ICassandraClustersOperations CassandraClusters { get; } - - /// - /// Gets the ICassandraDataCentersOperations. - /// - ICassandraDataCentersOperations CassandraDataCenters { get; } - /// /// Gets the IPrivateLinkResourcesOperations. /// diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableDatabaseAccountsOperations.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableDatabaseAccountsOperations.cs deleted file mode 100644 index e1a26f87e10b..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableDatabaseAccountsOperations.cs +++ /dev/null @@ -1,105 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using System.Collections; - using System.Collections.Generic; - using System.Threading; - using System.Threading.Tasks; - - /// - /// RestorableDatabaseAccountsOperations operations. - /// - public partial interface IRestorableDatabaseAccountsOperations - { - /// - /// Lists all the restorable Azure Cosmos DB database accounts - /// available under the subscription and in a region. This call - /// requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/read' - /// permission. - /// - /// - /// Cosmos DB region, with spaces between words and each word - /// capitalized. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task>> ListByLocationWithHttpMessagesAsync(string location, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - /// - /// Lists all the restorable Azure Cosmos DB database accounts - /// available under the subscription. This call requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/read' - /// permission. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task>> ListWithHttpMessagesAsync(Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - /// - /// Retrieves the properties of an existing Azure Cosmos DB restorable - /// database account. This call requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/read/*' - /// permission. - /// - /// - /// Cosmos DB region, with spaces between words and each word - /// capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task> GetByLocationWithHttpMessagesAsync(string location, string instanceId, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableMongodbCollectionsOperations.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableMongodbCollectionsOperations.cs deleted file mode 100644 index b37c85352e82..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableMongodbCollectionsOperations.cs +++ /dev/null @@ -1,61 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using System.Collections; - using System.Collections.Generic; - using System.Threading; - using System.Threading.Tasks; - - /// - /// RestorableMongodbCollectionsOperations operations. - /// - public partial interface IRestorableMongodbCollectionsOperations - { - /// - /// Show the event feed of all mutations done on all the Azure Cosmos - /// DB MongoDB collections under a specific database. This helps in - /// scenario where container was accidentally deleted. This API - /// requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/.../read' - /// permission - /// - /// - /// Cosmos DB region, with spaces between words and each word - /// capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - /// - /// The resource ID of the MongoDB database. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task>> ListWithHttpMessagesAsync(string location, string instanceId, string restorableMongodbDatabaseRid = default(string), Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableMongodbDatabasesOperations.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableMongodbDatabasesOperations.cs deleted file mode 100644 index e448a153744b..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableMongodbDatabasesOperations.cs +++ /dev/null @@ -1,58 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using System.Collections; - using System.Collections.Generic; - using System.Threading; - using System.Threading.Tasks; - - /// - /// RestorableMongodbDatabasesOperations operations. - /// - public partial interface IRestorableMongodbDatabasesOperations - { - /// - /// Show the event feed of all mutations done on all the Azure Cosmos - /// DB MongoDB databases under the restorable account. This helps in - /// scenario where database was accidentally deleted to get the - /// deletion time. This API requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/.../read' - /// permission - /// - /// - /// Cosmos DB region, with spaces between words and each word - /// capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task>> ListWithHttpMessagesAsync(string location, string instanceId, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableMongodbResourcesOperations.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableMongodbResourcesOperations.cs deleted file mode 100644 index c218372523e0..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableMongodbResourcesOperations.cs +++ /dev/null @@ -1,64 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using System.Collections; - using System.Collections.Generic; - using System.Threading; - using System.Threading.Tasks; - - /// - /// RestorableMongodbResourcesOperations operations. - /// - public partial interface IRestorableMongodbResourcesOperations - { - /// - /// Return a list of database and collection combo that exist on the - /// account at the given timestamp and location. This helps in - /// scenarios to validate what resources exist at given timestamp and - /// location. This API requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/.../read' - /// permission. - /// - /// - /// Cosmos DB region, with spaces between words and each word - /// capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - /// - /// The location where the restorable resources are located. - /// - /// - /// The timestamp when the restorable resources existed. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task>> ListWithHttpMessagesAsync(string location, string instanceId, string restoreLocation = default(string), string restoreTimestampInUtc = default(string), Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableSqlContainersOperations.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableSqlContainersOperations.cs deleted file mode 100644 index 9c8041c491b1..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableSqlContainersOperations.cs +++ /dev/null @@ -1,61 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using System.Collections; - using System.Collections.Generic; - using System.Threading; - using System.Threading.Tasks; - - /// - /// RestorableSqlContainersOperations operations. - /// - public partial interface IRestorableSqlContainersOperations - { - /// - /// Show the event feed of all mutations done on all the Azure Cosmos - /// DB SQL containers under a specific database. This helps in - /// scenario where container was accidentally deleted. This API - /// requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/.../read' - /// permission - /// - /// - /// Cosmos DB region, with spaces between words and each word - /// capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - /// - /// The resource ID of the SQL database. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task>> ListWithHttpMessagesAsync(string location, string instanceId, string restorableSqlDatabaseRid = default(string), Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableSqlDatabasesOperations.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableSqlDatabasesOperations.cs deleted file mode 100644 index 9e5f0df87d0f..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableSqlDatabasesOperations.cs +++ /dev/null @@ -1,58 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using System.Collections; - using System.Collections.Generic; - using System.Threading; - using System.Threading.Tasks; - - /// - /// RestorableSqlDatabasesOperations operations. - /// - public partial interface IRestorableSqlDatabasesOperations - { - /// - /// Show the event feed of all mutations done on all the Azure Cosmos - /// DB SQL databases under the restorable account. This helps in - /// scenario where database was accidentally deleted to get the - /// deletion time. This API requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/.../read' - /// permission - /// - /// - /// Cosmos DB region, with spaces between words and each word - /// capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task>> ListWithHttpMessagesAsync(string location, string instanceId, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableSqlResourcesOperations.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableSqlResourcesOperations.cs deleted file mode 100644 index 096ec270e22a..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/IRestorableSqlResourcesOperations.cs +++ /dev/null @@ -1,64 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using System.Collections; - using System.Collections.Generic; - using System.Threading; - using System.Threading.Tasks; - - /// - /// RestorableSqlResourcesOperations operations. - /// - public partial interface IRestorableSqlResourcesOperations - { - /// - /// Return a list of database and container combo that exist on the - /// account at the given timestamp and location. This helps in - /// scenarios to validate what resources exist at given timestamp and - /// location. This API requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/.../read' - /// permission. - /// - /// - /// Cosmos DB region, with spaces between words and each word - /// capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - /// - /// The location where the restorable resources are located. - /// - /// - /// The timestamp when the restorable resources existed. - /// - /// - /// The headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - Task>> ListWithHttpMessagesAsync(string location, string instanceId, string restoreLocation = default(string), string restoreTimestampInUtc = default(string), Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ARMResourceProperties.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ARMResourceProperties.cs index 75af752f6d2f..e1d99e84fc14 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ARMResourceProperties.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ARMResourceProperties.cs @@ -39,14 +39,13 @@ public ARMResourceProperties() /// The type of Azure resource. /// The location of the resource group to which /// the resource belongs. - public ARMResourceProperties(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity)) + public ARMResourceProperties(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary)) { Id = id; Name = name; Type = type; Location = location; Tags = tags; - Identity = identity; CustomInit(); } @@ -85,10 +84,5 @@ public ARMResourceProperties() [JsonProperty(PropertyName = "tags")] public IDictionary Tags { get; set; } - /// - /// - [JsonProperty(PropertyName = "identity")] - public ManagedServiceIdentity Identity { get; set; } - } } diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ApiType.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ApiType.cs deleted file mode 100644 index b263e9b9ec11..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ApiType.cs +++ /dev/null @@ -1,26 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - - /// - /// Defines values for ApiType. - /// - public static class ApiType - { - public const string MongoDB = "MongoDB"; - public const string Gremlin = "Gremlin"; - public const string Cassandra = "Cassandra"; - public const string Table = "Table"; - public const string Sql = "Sql"; - public const string GremlinV2 = "GremlinV2"; - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/AuthenticationMethod.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/AuthenticationMethod.cs deleted file mode 100644 index 65cde832917d..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/AuthenticationMethod.cs +++ /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. -// -// Code generated by Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - - /// - /// Defines values for AuthenticationMethod. - /// - public static class AuthenticationMethod - { - public const string None = "None"; - public const string Cassandra = "Cassandra"; - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/BackupResource.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/BackupResource.cs deleted file mode 100644 index 236ad58cf703..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/BackupResource.cs +++ /dev/null @@ -1,54 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Newtonsoft.Json; - using System.Linq; - - /// - /// A restorable backup of a Cassandra cluster. - /// - public partial class BackupResource : ARMProxyResource - { - /// - /// Initializes a new instance of the BackupResource class. - /// - public BackupResource() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the BackupResource class. - /// - /// The unique resource identifier of the database - /// account. - /// The name of the database account. - /// The type of Azure resource. - public BackupResource(string id = default(string), string name = default(string), string type = default(string), BackupResourceProperties properties = default(BackupResourceProperties)) - : base(id, name, type) - { - Properties = properties; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// - [JsonProperty(PropertyName = "properties")] - public BackupResourceProperties Properties { get; set; } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/BackupResourceProperties.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/BackupResourceProperties.cs deleted file mode 100644 index caca009d2e7a..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/BackupResourceProperties.cs +++ /dev/null @@ -1,50 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Newtonsoft.Json; - using System.Linq; - - public partial class BackupResourceProperties - { - /// - /// Initializes a new instance of the BackupResourceProperties class. - /// - public BackupResourceProperties() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the BackupResourceProperties class. - /// - /// The time this backup was taken, formatted - /// like 2021-01-21T17:35:21 - public BackupResourceProperties(System.DateTime? timestamp = default(System.DateTime?)) - { - Timestamp = timestamp; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets or sets the time this backup was taken, formatted like - /// 2021-01-21T17:35:21 - /// - [JsonProperty(PropertyName = "timestamp")] - public System.DateTime? Timestamp { get; set; } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/BackupStorageRedundancy.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/BackupStorageRedundancy.cs deleted file mode 100644 index 4235b83e7e21..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/BackupStorageRedundancy.cs +++ /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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - - /// - /// Defines values for BackupStorageRedundancy. - /// - public static class BackupStorageRedundancy - { - public const string Geo = "Geo"; - public const string Local = "Local"; - public const string Zone = "Zone"; - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/CassandraKeyspaceCreateUpdateParameters.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/CassandraKeyspaceCreateUpdateParameters.cs index e15d9540f741..ac79bf1abb93 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/CassandraKeyspaceCreateUpdateParameters.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/CassandraKeyspaceCreateUpdateParameters.cs @@ -47,8 +47,8 @@ public CassandraKeyspaceCreateUpdateParameters() /// A key-value pair of options to be applied for /// the request. This corresponds to the headers sent with the /// request. - public CassandraKeyspaceCreateUpdateParameters(CassandraKeyspaceResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), CreateUpdateOptions options = default(CreateUpdateOptions)) - : base(id, name, type, location, tags, identity) + public CassandraKeyspaceCreateUpdateParameters(CassandraKeyspaceResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), CreateUpdateOptions options = default(CreateUpdateOptions)) + : base(id, name, type, location, tags) { Resource = resource; Options = options; diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/CassandraKeyspaceGetResults.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/CassandraKeyspaceGetResults.cs index 0ff91a2b463a..34d756d6cd7d 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/CassandraKeyspaceGetResults.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/CassandraKeyspaceGetResults.cs @@ -42,8 +42,8 @@ public CassandraKeyspaceGetResults() /// The type of Azure resource. /// The location of the resource group to which /// the resource belongs. - public CassandraKeyspaceGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), CassandraKeyspaceGetPropertiesResource resource = default(CassandraKeyspaceGetPropertiesResource), CassandraKeyspaceGetPropertiesOptions options = default(CassandraKeyspaceGetPropertiesOptions)) - : base(id, name, type, location, tags, identity) + public CassandraKeyspaceGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), CassandraKeyspaceGetPropertiesResource resource = default(CassandraKeyspaceGetPropertiesResource), CassandraKeyspaceGetPropertiesOptions options = default(CassandraKeyspaceGetPropertiesOptions)) + : base(id, name, type, location, tags) { Resource = resource; Options = options; diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/CassandraTableCreateUpdateParameters.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/CassandraTableCreateUpdateParameters.cs index eaf3e9903457..d053ed9bb1d1 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/CassandraTableCreateUpdateParameters.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/CassandraTableCreateUpdateParameters.cs @@ -47,8 +47,8 @@ public CassandraTableCreateUpdateParameters() /// A key-value pair of options to be applied for /// the request. This corresponds to the headers sent with the /// request. - public CassandraTableCreateUpdateParameters(CassandraTableResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), CreateUpdateOptions options = default(CreateUpdateOptions)) - : base(id, name, type, location, tags, identity) + public CassandraTableCreateUpdateParameters(CassandraTableResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), CreateUpdateOptions options = default(CreateUpdateOptions)) + : base(id, name, type, location, tags) { Resource = resource; Options = options; diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/CassandraTableGetResults.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/CassandraTableGetResults.cs index 70a7b1c95387..bbe765553a15 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/CassandraTableGetResults.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/CassandraTableGetResults.cs @@ -40,8 +40,8 @@ public CassandraTableGetResults() /// The type of Azure resource. /// The location of the resource group to which /// the resource belongs. - public CassandraTableGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), CassandraTableGetPropertiesResource resource = default(CassandraTableGetPropertiesResource), CassandraTableGetPropertiesOptions options = default(CassandraTableGetPropertiesOptions)) - : base(id, name, type, location, tags, identity) + public CassandraTableGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), CassandraTableGetPropertiesResource resource = default(CassandraTableGetPropertiesResource), CassandraTableGetPropertiesOptions options = default(CassandraTableGetPropertiesOptions)) + : base(id, name, type, location, tags) { Resource = resource; Options = options; diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/Certificate.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/Certificate.cs deleted file mode 100644 index ab020ee93bc3..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/Certificate.cs +++ /dev/null @@ -1,48 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Newtonsoft.Json; - using System.Linq; - - public partial class Certificate - { - /// - /// Initializes a new instance of the Certificate class. - /// - public Certificate() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the Certificate class. - /// - /// PEM formatted public key. - public Certificate(string pem = default(string)) - { - Pem = pem; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets or sets PEM formatted public key. - /// - [JsonProperty(PropertyName = "pem")] - public string Pem { get; set; } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ClusterNodeStatus.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ClusterNodeStatus.cs deleted file mode 100644 index 97661f070cbe..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ClusterNodeStatus.cs +++ /dev/null @@ -1,56 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Newtonsoft.Json; - using System.Collections; - using System.Collections.Generic; - using System.Linq; - - /// - /// The status of all nodes in the cluster (as returned by 'nodetool - /// status'). - /// - public partial class ClusterNodeStatus - { - /// - /// Initializes a new instance of the ClusterNodeStatus class. - /// - public ClusterNodeStatus() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the ClusterNodeStatus class. - /// - /// Information about nodes in the cluster - /// (corresponds to what is returned from nodetool info). - public ClusterNodeStatus(IList nodes = default(IList)) - { - Nodes = nodes; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets or sets information about nodes in the cluster (corresponds to - /// what is returned from nodetool info). - /// - [JsonProperty(PropertyName = "nodes")] - public IList Nodes { get; set; } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ClusterNodeStatusNodesItem.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ClusterNodeStatusNodesItem.cs deleted file mode 100644 index aebb8ef345b7..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ClusterNodeStatusNodesItem.cs +++ /dev/null @@ -1,138 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Newtonsoft.Json; - using System.Collections; - using System.Collections.Generic; - using System.Linq; - - public partial class ClusterNodeStatusNodesItem - { - /// - /// Initializes a new instance of the ClusterNodeStatusNodesItem class. - /// - public ClusterNodeStatusNodesItem() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the ClusterNodeStatusNodesItem class. - /// - /// The Cassandra data center this node - /// resides in. - /// Indicates whether the node is functioning or - /// not. Possible values include: 'Up', 'Down' - /// The state of the node in relation to the - /// cluster. Possible values include: 'Normal', 'Leaving', 'Joining', - /// 'Moving', 'Stopped' - /// The node's URL. - /// The amount of file system data in the data - /// directory (e.g., 47.66 KB), excluding all content in the snapshots - /// subdirectories. Because all SSTable data files are included, any - /// data that is not cleaned up (such as TTL-expired cell or tombstoned - /// data) is counted. - /// List of tokens. - /// The percentage of the data owned by the node per - /// datacenter times the replication factor (e.g., 33.3, or null if the - /// data is not available). For example, a node can own 33% of the - /// ring, but shows 100% if the replication factor is 3. For non-system - /// keyspaces, the endpoint percentage ownership information is - /// shown. - /// The network ID of the node. - /// The rack this node is part of. - public ClusterNodeStatusNodesItem(string datacenter = default(string), string status = default(string), string state = default(string), string address = default(string), string load = default(string), IList tokens = default(IList), double? owns = default(double?), string hostId = default(string), string rack = default(string)) - { - Datacenter = datacenter; - Status = status; - State = state; - Address = address; - Load = load; - Tokens = tokens; - Owns = owns; - HostId = hostId; - Rack = rack; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets or sets the Cassandra data center this node resides in. - /// - [JsonProperty(PropertyName = "datacenter")] - public string Datacenter { get; set; } - - /// - /// Gets or sets indicates whether the node is functioning or not. - /// Possible values include: 'Up', 'Down' - /// - [JsonProperty(PropertyName = "status")] - public string Status { get; set; } - - /// - /// Gets or sets the state of the node in relation to the cluster. - /// Possible values include: 'Normal', 'Leaving', 'Joining', 'Moving', - /// 'Stopped' - /// - [JsonProperty(PropertyName = "state")] - public string State { get; set; } - - /// - /// Gets or sets the node's URL. - /// - [JsonProperty(PropertyName = "address")] - public string Address { get; set; } - - /// - /// Gets or sets the amount of file system data in the data directory - /// (e.g., 47.66 KB), excluding all content in the snapshots - /// subdirectories. Because all SSTable data files are included, any - /// data that is not cleaned up (such as TTL-expired cell or tombstoned - /// data) is counted. - /// - [JsonProperty(PropertyName = "load")] - public string Load { get; set; } - - /// - /// Gets or sets list of tokens. - /// - [JsonProperty(PropertyName = "tokens")] - public IList Tokens { get; set; } - - /// - /// Gets or sets the percentage of the data owned by the node per - /// datacenter times the replication factor (e.g., 33.3, or null if the - /// data is not available). For example, a node can own 33% of the - /// ring, but shows 100% if the replication factor is 3. For non-system - /// keyspaces, the endpoint percentage ownership information is shown. - /// - [JsonProperty(PropertyName = "owns")] - public double? Owns { get; set; } - - /// - /// Gets or sets the network ID of the node. - /// - [JsonProperty(PropertyName = "hostId")] - public string HostId { get; set; } - - /// - /// Gets or sets the rack this node is part of. - /// - [JsonProperty(PropertyName = "rack")] - public string Rack { get; set; } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ClusterResource.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ClusterResource.cs deleted file mode 100644 index f5d2ea9003f2..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ClusterResource.cs +++ /dev/null @@ -1,61 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Newtonsoft.Json; - using System.Collections; - using System.Collections.Generic; - using System.Linq; - - /// - /// Representation of a managed Cassandra cluster. - /// - public partial class ClusterResource : ARMResourceProperties - { - /// - /// Initializes a new instance of the ClusterResource class. - /// - public ClusterResource() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the ClusterResource class. - /// - /// The unique resource identifier of the ARM - /// resource. - /// The name of the ARM resource. - /// The type of Azure resource. - /// The location of the resource group to which - /// the resource belongs. - /// Properties of a managed Cassandra - /// cluster. - public ClusterResource(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), ClusterResourceProperties properties = default(ClusterResourceProperties)) - : base(id, name, type, location, tags, identity) - { - Properties = properties; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets or sets properties of a managed Cassandra cluster. - /// - [JsonProperty(PropertyName = "properties")] - public ClusterResourceProperties Properties { get; set; } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ClusterResourceProperties.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ClusterResourceProperties.cs deleted file mode 100644 index 661d209ccf5a..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ClusterResourceProperties.cs +++ /dev/null @@ -1,254 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Newtonsoft.Json; - using System.Collections; - using System.Collections.Generic; - using System.Linq; - - /// - /// Properties of a managed Cassandra cluster. - /// - public partial class ClusterResourceProperties - { - /// - /// Initializes a new instance of the ClusterResourceProperties class. - /// - public ClusterResourceProperties() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the ClusterResourceProperties class. - /// - /// Possible values include: - /// 'Creating', 'Updating', 'Deleting', 'Succeeded', 'Failed', - /// 'Canceled' - /// To create an empty cluster, omit - /// this field or set it to null. To restore a backup into a new - /// cluster, set this field to the resource id of the backup. - /// Resource id of a subnet - /// that this cluster's management service should have its network - /// interface attached to. The subnet must be routable to all subnets - /// that will be delegated to data centers. The resource id must be of - /// the form '/subscriptions/<subscription - /// id>/resourceGroups/<resource - /// group>/providers/Microsoft.Network/virtualNetworks/<virtual - /// network>/subnets/<subnet>' - /// Which version of Cassandra should - /// this cluster converge to running (e.g., 3.11). When updated, the - /// cluster may take some time to migrate to the new version. - /// If you need to set the - /// clusterName property in cassandra.yaml to something besides the - /// resource name of the cluster, set the value to use on this - /// property. - /// Which authentication method - /// Cassandra should use to authenticate clients. 'None' turns off - /// authentication, so should not be used except in emergencies. - /// 'Cassandra' is the default password based authentication. The - /// default is 'Cassandra'. Possible values include: 'None', - /// 'Cassandra' - /// Initial password for - /// clients connecting as admin to the cluster. Should be changed after - /// cluster creation. Returns null on GET. This field only applies when - /// the authenticationMethod field is 'Cassandra'. - /// Number of hours to wait between - /// taking a backup of the cluster. To disable backups, set this - /// property to 0. - /// Hostname or IP address where the - /// Prometheus endpoint containing data about the managed Cassandra - /// nodes can be reached. - /// Should automatic repairs run on this - /// cluster? If omitted, this is true, and should stay true unless you - /// are running a hybrid cluster where you are already doing your own - /// repairs. - /// List of TLS certificates used to - /// authorize clients connecting to the cluster. All connections are - /// TLS encrypted whether clientCertificates is set or not, but if - /// clientCertificates is set, the managed Cassandra cluster will - /// reject all connections not bearing a TLS client certificate that - /// can be validated from one or more of the public certificates in - /// this property. - /// List of TLS certificates - /// used to authorize gossip from unmanaged data centers. The TLS - /// certificates of all nodes in unmanaged data centers must be - /// verifiable using one of the certificates provided in this - /// property. - /// List of TLS certificates that - /// unmanaged nodes must trust for gossip with managed nodes. All - /// managed nodes will present TLS client certificates that are - /// verifiable using one of the certificates provided in this - /// property. - /// List of IP addresses of seed nodes - /// in unmanaged data centers. These will be added to the seed node - /// lists of all managed nodes. - /// List of IP addresses of seed nodes in the - /// managed data centers. These should be added to the seed node lists - /// of all unmanaged nodes. - public ClusterResourceProperties(string provisioningState = default(string), string restoreFromBackupId = default(string), string delegatedManagementSubnetId = default(string), string cassandraVersion = default(string), string clusterNameOverride = default(string), string authenticationMethod = default(string), string initialCassandraAdminPassword = default(string), int? hoursBetweenBackups = default(int?), SeedNode prometheusEndpoint = default(SeedNode), bool? repairEnabled = default(bool?), IList clientCertificates = default(IList), IList externalGossipCertificates = default(IList), IList gossipCertificates = default(IList), IList externalSeedNodes = default(IList), IList seedNodes = default(IList)) - { - ProvisioningState = provisioningState; - RestoreFromBackupId = restoreFromBackupId; - DelegatedManagementSubnetId = delegatedManagementSubnetId; - CassandraVersion = cassandraVersion; - ClusterNameOverride = clusterNameOverride; - AuthenticationMethod = authenticationMethod; - InitialCassandraAdminPassword = initialCassandraAdminPassword; - HoursBetweenBackups = hoursBetweenBackups; - PrometheusEndpoint = prometheusEndpoint; - RepairEnabled = repairEnabled; - ClientCertificates = clientCertificates; - ExternalGossipCertificates = externalGossipCertificates; - GossipCertificates = gossipCertificates; - ExternalSeedNodes = externalSeedNodes; - SeedNodes = seedNodes; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets or sets possible values include: 'Creating', 'Updating', - /// 'Deleting', 'Succeeded', 'Failed', 'Canceled' - /// - [JsonProperty(PropertyName = "provisioningState")] - public string ProvisioningState { get; set; } - - /// - /// Gets or sets to create an empty cluster, omit this field or set it - /// to null. To restore a backup into a new cluster, set this field to - /// the resource id of the backup. - /// - [JsonProperty(PropertyName = "restoreFromBackupId")] - public string RestoreFromBackupId { get; set; } - - /// - /// Gets or sets resource id of a subnet that this cluster's management - /// service should have its network interface attached to. The subnet - /// must be routable to all subnets that will be delegated to data - /// centers. The resource id must be of the form - /// '/subscriptions/&lt;subscription - /// id&gt;/resourceGroups/&lt;resource - /// group&gt;/providers/Microsoft.Network/virtualNetworks/&lt;virtual - /// network&gt;/subnets/&lt;subnet&gt;' - /// - [JsonProperty(PropertyName = "delegatedManagementSubnetId")] - public string DelegatedManagementSubnetId { get; set; } - - /// - /// Gets or sets which version of Cassandra should this cluster - /// converge to running (e.g., 3.11). When updated, the cluster may - /// take some time to migrate to the new version. - /// - [JsonProperty(PropertyName = "cassandraVersion")] - public string CassandraVersion { get; set; } - - /// - /// Gets or sets if you need to set the clusterName property in - /// cassandra.yaml to something besides the resource name of the - /// cluster, set the value to use on this property. - /// - [JsonProperty(PropertyName = "clusterNameOverride")] - public string ClusterNameOverride { get; set; } - - /// - /// Gets or sets which authentication method Cassandra should use to - /// authenticate clients. 'None' turns off authentication, so should - /// not be used except in emergencies. 'Cassandra' is the default - /// password based authentication. The default is 'Cassandra'. Possible - /// values include: 'None', 'Cassandra' - /// - [JsonProperty(PropertyName = "authenticationMethod")] - public string AuthenticationMethod { get; set; } - - /// - /// Gets or sets initial password for clients connecting as admin to - /// the cluster. Should be changed after cluster creation. Returns null - /// on GET. This field only applies when the authenticationMethod field - /// is 'Cassandra'. - /// - [JsonProperty(PropertyName = "initialCassandraAdminPassword")] - public string InitialCassandraAdminPassword { get; set; } - - /// - /// Gets or sets number of hours to wait between taking a backup of the - /// cluster. To disable backups, set this property to 0. - /// - [JsonProperty(PropertyName = "hoursBetweenBackups")] - public int? HoursBetweenBackups { get; set; } - - /// - /// Gets or sets hostname or IP address where the Prometheus endpoint - /// containing data about the managed Cassandra nodes can be reached. - /// - [JsonProperty(PropertyName = "prometheusEndpoint")] - public SeedNode PrometheusEndpoint { get; set; } - - /// - /// Gets or sets should automatic repairs run on this cluster? If - /// omitted, this is true, and should stay true unless you are running - /// a hybrid cluster where you are already doing your own repairs. - /// - [JsonProperty(PropertyName = "repairEnabled")] - public bool? RepairEnabled { get; set; } - - /// - /// Gets or sets list of TLS certificates used to authorize clients - /// connecting to the cluster. All connections are TLS encrypted - /// whether clientCertificates is set or not, but if clientCertificates - /// is set, the managed Cassandra cluster will reject all connections - /// not bearing a TLS client certificate that can be validated from one - /// or more of the public certificates in this property. - /// - [JsonProperty(PropertyName = "clientCertificates")] - public IList ClientCertificates { get; set; } - - /// - /// Gets or sets list of TLS certificates used to authorize gossip from - /// unmanaged data centers. The TLS certificates of all nodes in - /// unmanaged data centers must be verifiable using one of the - /// certificates provided in this property. - /// - [JsonProperty(PropertyName = "externalGossipCertificates")] - public IList ExternalGossipCertificates { get; set; } - - /// - /// Gets list of TLS certificates that unmanaged nodes must trust for - /// gossip with managed nodes. All managed nodes will present TLS - /// client certificates that are verifiable using one of the - /// certificates provided in this property. - /// - [JsonProperty(PropertyName = "gossipCertificates")] - public IList GossipCertificates { get; private set; } - - /// - /// Gets or sets list of IP addresses of seed nodes in unmanaged data - /// centers. These will be added to the seed node lists of all managed - /// nodes. - /// - [JsonProperty(PropertyName = "externalSeedNodes")] - public IList ExternalSeedNodes { get; set; } - - /// - /// Gets list of IP addresses of seed nodes in the managed data - /// centers. These should be added to the seed node lists of all - /// unmanaged nodes. - /// - [JsonProperty(PropertyName = "seedNodes")] - public IList SeedNodes { get; private set; } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/CreateMode.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/CreateMode.cs deleted file mode 100644 index 59efcacc2735..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/CreateMode.cs +++ /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. -// -// Code generated by Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - - /// - /// Defines values for CreateMode. - /// - public static class CreateMode - { - public const string Default = "Default"; - public const string Restore = "Restore"; - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/CreatedByType.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/CreatedByType.cs deleted file mode 100644 index 53a064c23e09..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/CreatedByType.cs +++ /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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - - /// - /// Defines values for CreatedByType. - /// - public static class CreatedByType - { - public const string User = "User"; - public const string Application = "Application"; - public const string ManagedIdentity = "ManagedIdentity"; - public const string Key = "Key"; - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DataCenterResource.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DataCenterResource.cs deleted file mode 100644 index 60db34af534e..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DataCenterResource.cs +++ /dev/null @@ -1,57 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Newtonsoft.Json; - using System.Linq; - - /// - /// A managed Cassandra data center. - /// - public partial class DataCenterResource : ARMProxyResource - { - /// - /// Initializes a new instance of the DataCenterResource class. - /// - public DataCenterResource() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the DataCenterResource class. - /// - /// The unique resource identifier of the database - /// account. - /// The name of the database account. - /// The type of Azure resource. - /// Properties of a managed Cassandra data - /// center. - public DataCenterResource(string id = default(string), string name = default(string), string type = default(string), DataCenterResourceProperties properties = default(DataCenterResourceProperties)) - : base(id, name, type) - { - Properties = properties; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets or sets properties of a managed Cassandra data center. - /// - [JsonProperty(PropertyName = "properties")] - public DataCenterResourceProperties Properties { get; set; } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DataCenterResourceProperties.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DataCenterResourceProperties.cs deleted file mode 100644 index 708d1b65d3e7..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DataCenterResourceProperties.cs +++ /dev/null @@ -1,136 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Newtonsoft.Json; - using System.Collections; - using System.Collections.Generic; - using System.Linq; - - /// - /// Properties of a managed Cassandra data center. - /// - public partial class DataCenterResourceProperties - { - /// - /// Initializes a new instance of the DataCenterResourceProperties - /// class. - /// - public DataCenterResourceProperties() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the DataCenterResourceProperties - /// class. - /// - /// Possible values include: - /// 'Creating', 'Updating', 'Deleting', 'Succeeded', 'Failed', - /// 'Canceled' - /// The region this data center should - /// be created in. - /// Resource id of a subnet the nodes - /// in this data center should have their network interfaces connected - /// to. The subnet must be in the same region specified in - /// 'dataCenterLocation' and must be able to route to the subnet - /// specified in the cluster's 'delegatedManagementSubnetId' property. - /// This resource id will be of the form - /// '/subscriptions/<subscription id>/resourceGroups/<resource - /// group>/providers/Microsoft.Network/virtualNetworks/<virtual - /// network>/subnets/<subnet>'. - /// The number of nodes the data center should - /// have. This is the desired number. After it is set, it may take some - /// time for the data center to be scaled to match. To monitor the - /// number of nodes and their status, use the fetchNodeStatus method on - /// the cluster. - /// IP addresses for seed nodes in this data - /// center. This is for reference. Generally you will want to use the - /// seedNodes property on the cluster, which aggregates the seed nodes - /// from all data centers in the cluster. - /// A fragment of a - /// cassandra.yaml configuration file to be included in the - /// cassandra.yaml for all nodes in this data center. The fragment - /// should be Base64 encoded, and only a subset of keys are - /// allowed. - public DataCenterResourceProperties(string provisioningState = default(string), string dataCenterLocation = default(string), string delegatedSubnetId = default(string), int? nodeCount = default(int?), IList seedNodes = default(IList), string base64EncodedCassandraYamlFragment = default(string)) - { - ProvisioningState = provisioningState; - DataCenterLocation = dataCenterLocation; - DelegatedSubnetId = delegatedSubnetId; - NodeCount = nodeCount; - SeedNodes = seedNodes; - Base64EncodedCassandraYamlFragment = base64EncodedCassandraYamlFragment; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets or sets possible values include: 'Creating', 'Updating', - /// 'Deleting', 'Succeeded', 'Failed', 'Canceled' - /// - [JsonProperty(PropertyName = "provisioningState")] - public string ProvisioningState { get; set; } - - /// - /// Gets or sets the region this data center should be created in. - /// - [JsonProperty(PropertyName = "dataCenterLocation")] - public string DataCenterLocation { get; set; } - - /// - /// Gets or sets resource id of a subnet the nodes in this data center - /// should have their network interfaces connected to. The subnet must - /// be in the same region specified in 'dataCenterLocation' and must be - /// able to route to the subnet specified in the cluster's - /// 'delegatedManagementSubnetId' property. This resource id will be of - /// the form '/subscriptions/&lt;subscription - /// id&gt;/resourceGroups/&lt;resource - /// group&gt;/providers/Microsoft.Network/virtualNetworks/&lt;virtual - /// network&gt;/subnets/&lt;subnet&gt;'. - /// - [JsonProperty(PropertyName = "delegatedSubnetId")] - public string DelegatedSubnetId { get; set; } - - /// - /// Gets or sets the number of nodes the data center should have. This - /// is the desired number. After it is set, it may take some time for - /// the data center to be scaled to match. To monitor the number of - /// nodes and their status, use the fetchNodeStatus method on the - /// cluster. - /// - [JsonProperty(PropertyName = "nodeCount")] - public int? NodeCount { get; set; } - - /// - /// Gets IP addresses for seed nodes in this data center. This is for - /// reference. Generally you will want to use the seedNodes property on - /// the cluster, which aggregates the seed nodes from all data centers - /// in the cluster. - /// - [JsonProperty(PropertyName = "seedNodes")] - public IList SeedNodes { get; private set; } - - /// - /// Gets or sets a fragment of a cassandra.yaml configuration file to - /// be included in the cassandra.yaml for all nodes in this data - /// center. The fragment should be Base64 encoded, and only a subset of - /// keys are allowed. - /// - [JsonProperty(PropertyName = "base64EncodedCassandraYamlFragment")] - public string Base64EncodedCassandraYamlFragment { get; set; } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DatabaseAccountCreateUpdateParameters.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DatabaseAccountCreateUpdateParameters.cs index 3cda1cd3bfb7..e46e5b0b74bd 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DatabaseAccountCreateUpdateParameters.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DatabaseAccountCreateUpdateParameters.cs @@ -11,6 +11,7 @@ namespace Microsoft.Azure.Management.CosmosDB.Models { using Microsoft.Rest; + using Microsoft.Rest.Serialization; using Newtonsoft.Json; using System.Collections; using System.Collections.Generic; @@ -19,6 +20,7 @@ namespace Microsoft.Azure.Management.CosmosDB.Models /// /// Parameters to create and update Cosmos DB database accounts. /// + [Rest.Serialization.JsonTransformation] public partial class DatabaseAccountCreateUpdateParameters : ARMResourceProperties { /// @@ -27,7 +29,6 @@ public partial class DatabaseAccountCreateUpdateParameters : ARMResourceProperti /// public DatabaseAccountCreateUpdateParameters() { - Properties = new DatabaseAccountCreateUpdateProperties(); CustomInit(); } @@ -35,6 +36,8 @@ public DatabaseAccountCreateUpdateParameters() /// Initializes a new instance of the /// DatabaseAccountCreateUpdateParameters class. /// + /// An array that contains the georeplication + /// locations enabled for the Cosmos DB account. /// The unique resource identifier of the ARM /// resource. /// The name of the ARM resource. @@ -44,13 +47,89 @@ public DatabaseAccountCreateUpdateParameters() /// Indicates the type of database account. This can /// only be set at database account creation. Possible values include: /// 'GlobalDocumentDB', 'MongoDB', 'Parse' - public DatabaseAccountCreateUpdateParameters(DatabaseAccountCreateUpdateProperties properties, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), string kind = default(string)) - : base(id, name, type, location, tags, identity) + /// The consistency policy for the + /// Cosmos DB account. + /// List of IpRules. + /// Flag to indicate + /// whether to enable/disable Virtual Network ACL rules. + /// Enables automatic failover of + /// the write region in the rare event that the region is unavailable + /// due to an outage. Automatic failover will result in a new write + /// region for the account and is chosen based on the failover + /// priorities configured for the account. + /// List of Cosmos DB capabilities for the + /// account + /// List of Virtual Network ACL rules + /// configured for the Cosmos DB account. + /// Enables the account to + /// write in multiple locations + /// Enables the cassandra + /// connector on the Cosmos DB C* account + /// The cassandra connector offer type for + /// the Cosmos DB database C* account. Possible values include: + /// 'Small' + /// Disable write + /// operations on metadata resources (databases, containers, + /// throughput) via account keys + /// The URI of the key vault + /// The default identity for accessing + /// key vault used in features like customer managed keys. The default + /// identity needs to be explicitly set by the users. It can be + /// "FirstPartyIdentity", "SystemAssignedIdentity" and more. + /// Whether requests from Public + /// Network are allowed. Possible values include: 'Enabled', + /// 'Disabled' + /// Flag to indicate whether Free Tier is + /// enabled. + /// API specific properties. Currently, + /// supported only for MongoDB API. + /// Flag to indicate whether to + /// enable storage analytics. + /// The object representing the policy for + /// taking backups on an account. + /// The CORS policy for the Cosmos DB database + /// account. + /// Indicates what services are allowed + /// to bypass firewall checks. Possible values include: 'None', + /// 'AzureServices' + /// An array that contains + /// the Resource Ids for Network Acl Bypass for the Cosmos DB + /// account. + public DatabaseAccountCreateUpdateParameters(IList locations, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), string kind = default(string), ManagedServiceIdentity identity = default(ManagedServiceIdentity), ConsistencyPolicy consistencyPolicy = default(ConsistencyPolicy), IList ipRules = default(IList), bool? isVirtualNetworkFilterEnabled = default(bool?), bool? enableAutomaticFailover = default(bool?), IList capabilities = default(IList), IList virtualNetworkRules = default(IList), bool? enableMultipleWriteLocations = default(bool?), bool? enableCassandraConnector = default(bool?), string connectorOffer = default(string), bool? disableKeyBasedMetadataWriteAccess = default(bool?), string keyVaultKeyUri = default(string), string defaultIdentity = default(string), string publicNetworkAccess = default(string), bool? enableFreeTier = default(bool?), ApiProperties apiProperties = default(ApiProperties), bool? enableAnalyticalStorage = default(bool?), BackupPolicy backupPolicy = default(BackupPolicy), IList cors = default(IList), NetworkAclBypass? networkAclBypass = default(NetworkAclBypass?), IList networkAclBypassResourceIds = default(IList)) + : base(id, name, type, location, tags) { Kind = kind; - Properties = properties; + Identity = identity; + ConsistencyPolicy = consistencyPolicy; + Locations = locations; + IpRules = ipRules; + IsVirtualNetworkFilterEnabled = isVirtualNetworkFilterEnabled; + EnableAutomaticFailover = enableAutomaticFailover; + Capabilities = capabilities; + VirtualNetworkRules = virtualNetworkRules; + EnableMultipleWriteLocations = enableMultipleWriteLocations; + EnableCassandraConnector = enableCassandraConnector; + ConnectorOffer = connectorOffer; + DisableKeyBasedMetadataWriteAccess = disableKeyBasedMetadataWriteAccess; + KeyVaultKeyUri = keyVaultKeyUri; + DefaultIdentity = defaultIdentity; + PublicNetworkAccess = publicNetworkAccess; + EnableFreeTier = enableFreeTier; + ApiProperties = apiProperties; + EnableAnalyticalStorage = enableAnalyticalStorage; + BackupPolicy = backupPolicy; + Cors = cors; + NetworkAclBypass = networkAclBypass; + NetworkAclBypassResourceIds = networkAclBypassResourceIds; CustomInit(); } + /// + /// Static constructor for DatabaseAccountCreateUpdateParameters class. + /// + static DatabaseAccountCreateUpdateParameters() + { + DatabaseAccountOfferType = "Standard"; + } /// /// An initialization method that performs custom operations like setting defaults @@ -67,8 +146,158 @@ public DatabaseAccountCreateUpdateParameters() /// /// - [JsonProperty(PropertyName = "properties")] - public DatabaseAccountCreateUpdateProperties Properties { get; set; } + [JsonProperty(PropertyName = "identity")] + public ManagedServiceIdentity Identity { get; set; } + + /// + /// Gets or sets the consistency policy for the Cosmos DB account. + /// + [JsonProperty(PropertyName = "properties.consistencyPolicy")] + public ConsistencyPolicy ConsistencyPolicy { get; set; } + + /// + /// Gets or sets an array that contains the georeplication locations + /// enabled for the Cosmos DB account. + /// + [JsonProperty(PropertyName = "properties.locations")] + public IList Locations { get; set; } + + /// + /// Gets or sets list of IpRules. + /// + [JsonProperty(PropertyName = "properties.ipRules")] + public IList IpRules { get; set; } + + /// + /// Gets or sets flag to indicate whether to enable/disable Virtual + /// Network ACL rules. + /// + [JsonProperty(PropertyName = "properties.isVirtualNetworkFilterEnabled")] + public bool? IsVirtualNetworkFilterEnabled { get; set; } + + /// + /// Gets or sets enables automatic failover of the write region in the + /// rare event that the region is unavailable due to an outage. + /// Automatic failover will result in a new write region for the + /// account and is chosen based on the failover priorities configured + /// for the account. + /// + [JsonProperty(PropertyName = "properties.enableAutomaticFailover")] + public bool? EnableAutomaticFailover { get; set; } + + /// + /// Gets or sets list of Cosmos DB capabilities for the account + /// + [JsonProperty(PropertyName = "properties.capabilities")] + public IList Capabilities { get; set; } + + /// + /// Gets or sets list of Virtual Network ACL rules configured for the + /// Cosmos DB account. + /// + [JsonProperty(PropertyName = "properties.virtualNetworkRules")] + public IList VirtualNetworkRules { get; set; } + + /// + /// Gets or sets enables the account to write in multiple locations + /// + [JsonProperty(PropertyName = "properties.enableMultipleWriteLocations")] + public bool? EnableMultipleWriteLocations { get; set; } + + /// + /// Gets or sets enables the cassandra connector on the Cosmos DB C* + /// account + /// + [JsonProperty(PropertyName = "properties.enableCassandraConnector")] + public bool? EnableCassandraConnector { get; set; } + + /// + /// Gets or sets the cassandra connector offer type for the Cosmos DB + /// database C* account. Possible values include: 'Small' + /// + [JsonProperty(PropertyName = "properties.connectorOffer")] + public string ConnectorOffer { get; set; } + + /// + /// Gets or sets disable write operations on metadata resources + /// (databases, containers, throughput) via account keys + /// + [JsonProperty(PropertyName = "properties.disableKeyBasedMetadataWriteAccess")] + public bool? DisableKeyBasedMetadataWriteAccess { get; set; } + + /// + /// Gets or sets the URI of the key vault + /// + [JsonProperty(PropertyName = "properties.keyVaultKeyUri")] + public string KeyVaultKeyUri { get; set; } + + /// + /// Gets or sets the default identity for accessing key vault used in + /// features like customer managed keys. The default identity needs to + /// be explicitly set by the users. It can be "FirstPartyIdentity", + /// "SystemAssignedIdentity" and more. + /// + [JsonProperty(PropertyName = "properties.defaultIdentity")] + public string DefaultIdentity { get; set; } + + /// + /// Gets or sets whether requests from Public Network are allowed. + /// Possible values include: 'Enabled', 'Disabled' + /// + [JsonProperty(PropertyName = "properties.publicNetworkAccess")] + public string PublicNetworkAccess { get; set; } + + /// + /// Gets or sets flag to indicate whether Free Tier is enabled. + /// + [JsonProperty(PropertyName = "properties.enableFreeTier")] + public bool? EnableFreeTier { get; set; } + + /// + /// Gets or sets API specific properties. Currently, supported only for + /// MongoDB API. + /// + [JsonProperty(PropertyName = "properties.apiProperties")] + public ApiProperties ApiProperties { get; set; } + + /// + /// Gets or sets flag to indicate whether to enable storage analytics. + /// + [JsonProperty(PropertyName = "properties.enableAnalyticalStorage")] + public bool? EnableAnalyticalStorage { get; set; } + + /// + /// Gets or sets the object representing the policy for taking backups + /// on an account. + /// + [JsonProperty(PropertyName = "properties.backupPolicy")] + public BackupPolicy BackupPolicy { get; set; } + + /// + /// Gets or sets the CORS policy for the Cosmos DB database account. + /// + [JsonProperty(PropertyName = "properties.cors")] + public IList Cors { get; set; } + + /// + /// Gets or sets indicates what services are allowed to bypass firewall + /// checks. Possible values include: 'None', 'AzureServices' + /// + [JsonProperty(PropertyName = "properties.networkAclBypass")] + public NetworkAclBypass? NetworkAclBypass { get; set; } + + /// + /// Gets or sets an array that contains the Resource Ids for Network + /// Acl Bypass for the Cosmos DB account. + /// + [JsonProperty(PropertyName = "properties.networkAclBypassResourceIds")] + public IList NetworkAclBypassResourceIds { get; set; } + + /// + /// The offer type for the database + /// + [JsonProperty(PropertyName = "properties.databaseAccountOfferType")] + public static string DatabaseAccountOfferType { get; private set; } /// /// Validate the object. @@ -78,13 +307,33 @@ public DatabaseAccountCreateUpdateParameters() /// public virtual void Validate() { - if (Properties == null) + if (Locations == null) + { + throw new ValidationException(ValidationRules.CannotBeNull, "Locations"); + } + if (ConsistencyPolicy != null) + { + ConsistencyPolicy.Validate(); + } + if (Locations != null) { - throw new ValidationException(ValidationRules.CannotBeNull, "Properties"); + foreach (var element in Locations) + { + if (element != null) + { + element.Validate(); + } + } } - if (Properties != null) + if (Cors != null) { - Properties.Validate(); + foreach (var element1 in Cors) + { + if (element1 != null) + { + element1.Validate(); + } + } } } } diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DatabaseAccountCreateUpdateProperties.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DatabaseAccountCreateUpdateProperties.cs deleted file mode 100644 index 71e5ba7a2c1f..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DatabaseAccountCreateUpdateProperties.cs +++ /dev/null @@ -1,299 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Microsoft.Rest; - using Newtonsoft.Json; - using System.Collections; - using System.Collections.Generic; - using System.Linq; - - /// - /// Properties to create and update Azure Cosmos DB database accounts. - /// - public partial class DatabaseAccountCreateUpdateProperties - { - /// - /// Initializes a new instance of the - /// DatabaseAccountCreateUpdateProperties class. - /// - public DatabaseAccountCreateUpdateProperties() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the - /// DatabaseAccountCreateUpdateProperties class. - /// - /// An array that contains the georeplication - /// locations enabled for the Cosmos DB account. - /// The consistency policy for the - /// Cosmos DB account. - /// List of IpRules. - /// Flag to indicate - /// whether to enable/disable Virtual Network ACL rules. - /// Enables automatic failover of - /// the write region in the rare event that the region is unavailable - /// due to an outage. Automatic failover will result in a new write - /// region for the account and is chosen based on the failover - /// priorities configured for the account. - /// List of Cosmos DB capabilities for the - /// account - /// List of Virtual Network ACL rules - /// configured for the Cosmos DB account. - /// Enables the account to - /// write in multiple locations - /// Enables the cassandra - /// connector on the Cosmos DB C* account - /// The cassandra connector offer type for - /// the Cosmos DB database C* account. Possible values include: - /// 'Small' - /// Disable write - /// operations on metadata resources (databases, containers, - /// throughput) via account keys - /// The URI of the key vault - /// Whether requests from Public - /// Network are allowed. Possible values include: 'Enabled', - /// 'Disabled' - /// Flag to indicate whether Free Tier is - /// enabled. - /// API specific properties. Currently, - /// supported only for MongoDB API. - /// Flag to indicate whether to - /// enable storage analytics. - /// The object representing the policy for - /// taking backups on an account. - /// The CORS policy for the Cosmos DB database - /// account. - /// Indicates what services are allowed - /// to bypass firewall checks. Possible values include: 'None', - /// 'AzureServices' - /// An array that contains - /// the Resource Ids for Network Acl Bypass for the Cosmos DB - /// account. - public DatabaseAccountCreateUpdateProperties(IList locations, ConsistencyPolicy consistencyPolicy = default(ConsistencyPolicy), IList ipRules = default(IList), bool? isVirtualNetworkFilterEnabled = default(bool?), bool? enableAutomaticFailover = default(bool?), IList capabilities = default(IList), IList virtualNetworkRules = default(IList), bool? enableMultipleWriteLocations = default(bool?), bool? enableCassandraConnector = default(bool?), string connectorOffer = default(string), bool? disableKeyBasedMetadataWriteAccess = default(bool?), string keyVaultKeyUri = default(string), string publicNetworkAccess = default(string), bool? enableFreeTier = default(bool?), ApiProperties apiProperties = default(ApiProperties), bool? enableAnalyticalStorage = default(bool?), BackupPolicy backupPolicy = default(BackupPolicy), IList cors = default(IList), NetworkAclBypass? networkAclBypass = default(NetworkAclBypass?), IList networkAclBypassResourceIds = default(IList)) - { - ConsistencyPolicy = consistencyPolicy; - Locations = locations; - IpRules = ipRules; - IsVirtualNetworkFilterEnabled = isVirtualNetworkFilterEnabled; - EnableAutomaticFailover = enableAutomaticFailover; - Capabilities = capabilities; - VirtualNetworkRules = virtualNetworkRules; - EnableMultipleWriteLocations = enableMultipleWriteLocations; - EnableCassandraConnector = enableCassandraConnector; - ConnectorOffer = connectorOffer; - DisableKeyBasedMetadataWriteAccess = disableKeyBasedMetadataWriteAccess; - KeyVaultKeyUri = keyVaultKeyUri; - PublicNetworkAccess = publicNetworkAccess; - EnableFreeTier = enableFreeTier; - ApiProperties = apiProperties; - EnableAnalyticalStorage = enableAnalyticalStorage; - BackupPolicy = backupPolicy; - Cors = cors; - NetworkAclBypass = networkAclBypass; - NetworkAclBypassResourceIds = networkAclBypassResourceIds; - CustomInit(); - } - /// - /// Static constructor for DatabaseAccountCreateUpdateProperties class. - /// - static DatabaseAccountCreateUpdateProperties() - { - DatabaseAccountOfferType = "Standard"; - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets or sets the consistency policy for the Cosmos DB account. - /// - [JsonProperty(PropertyName = "consistencyPolicy")] - public ConsistencyPolicy ConsistencyPolicy { get; set; } - - /// - /// Gets or sets an array that contains the georeplication locations - /// enabled for the Cosmos DB account. - /// - [JsonProperty(PropertyName = "locations")] - public IList Locations { get; set; } - - /// - /// Gets or sets list of IpRules. - /// - [JsonProperty(PropertyName = "ipRules")] - public IList IpRules { get; set; } - - /// - /// Gets or sets flag to indicate whether to enable/disable Virtual - /// Network ACL rules. - /// - [JsonProperty(PropertyName = "isVirtualNetworkFilterEnabled")] - public bool? IsVirtualNetworkFilterEnabled { get; set; } - - /// - /// Gets or sets enables automatic failover of the write region in the - /// rare event that the region is unavailable due to an outage. - /// Automatic failover will result in a new write region for the - /// account and is chosen based on the failover priorities configured - /// for the account. - /// - [JsonProperty(PropertyName = "enableAutomaticFailover")] - public bool? EnableAutomaticFailover { get; set; } - - /// - /// Gets or sets list of Cosmos DB capabilities for the account - /// - [JsonProperty(PropertyName = "capabilities")] - public IList Capabilities { get; set; } - - /// - /// Gets or sets list of Virtual Network ACL rules configured for the - /// Cosmos DB account. - /// - [JsonProperty(PropertyName = "virtualNetworkRules")] - public IList VirtualNetworkRules { get; set; } - - /// - /// Gets or sets enables the account to write in multiple locations - /// - [JsonProperty(PropertyName = "enableMultipleWriteLocations")] - public bool? EnableMultipleWriteLocations { get; set; } - - /// - /// Gets or sets enables the cassandra connector on the Cosmos DB C* - /// account - /// - [JsonProperty(PropertyName = "enableCassandraConnector")] - public bool? EnableCassandraConnector { get; set; } - - /// - /// Gets or sets the cassandra connector offer type for the Cosmos DB - /// database C* account. Possible values include: 'Small' - /// - [JsonProperty(PropertyName = "connectorOffer")] - public string ConnectorOffer { get; set; } - - /// - /// Gets or sets disable write operations on metadata resources - /// (databases, containers, throughput) via account keys - /// - [JsonProperty(PropertyName = "disableKeyBasedMetadataWriteAccess")] - public bool? DisableKeyBasedMetadataWriteAccess { get; set; } - - /// - /// Gets or sets the URI of the key vault - /// - [JsonProperty(PropertyName = "keyVaultKeyUri")] - public string KeyVaultKeyUri { get; set; } - - /// - /// Gets or sets whether requests from Public Network are allowed. - /// Possible values include: 'Enabled', 'Disabled' - /// - [JsonProperty(PropertyName = "publicNetworkAccess")] - public string PublicNetworkAccess { get; set; } - - /// - /// Gets or sets flag to indicate whether Free Tier is enabled. - /// - [JsonProperty(PropertyName = "enableFreeTier")] - public bool? EnableFreeTier { get; set; } - - /// - /// Gets or sets API specific properties. Currently, supported only for - /// MongoDB API. - /// - [JsonProperty(PropertyName = "apiProperties")] - public ApiProperties ApiProperties { get; set; } - - /// - /// Gets or sets flag to indicate whether to enable storage analytics. - /// - [JsonProperty(PropertyName = "enableAnalyticalStorage")] - public bool? EnableAnalyticalStorage { get; set; } - - /// - /// Gets or sets the object representing the policy for taking backups - /// on an account. - /// - [JsonProperty(PropertyName = "backupPolicy")] - public BackupPolicy BackupPolicy { get; set; } - - /// - /// Gets or sets the CORS policy for the Cosmos DB database account. - /// - [JsonProperty(PropertyName = "cors")] - public IList Cors { get; set; } - - /// - /// Gets or sets indicates what services are allowed to bypass firewall - /// checks. Possible values include: 'None', 'AzureServices' - /// - [JsonProperty(PropertyName = "networkAclBypass")] - public NetworkAclBypass? NetworkAclBypass { get; set; } - - /// - /// Gets or sets an array that contains the Resource Ids for Network - /// Acl Bypass for the Cosmos DB account. - /// - [JsonProperty(PropertyName = "networkAclBypassResourceIds")] - public IList NetworkAclBypassResourceIds { get; set; } - - /// - /// The offer type for the database - /// - [JsonProperty(PropertyName = "databaseAccountOfferType")] - public static string DatabaseAccountOfferType { get; private set; } - - /// - /// Validate the object. - /// - /// - /// Thrown if validation fails - /// - public virtual void Validate() - { - if (Locations == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "Locations"); - } - if (ConsistencyPolicy != null) - { - ConsistencyPolicy.Validate(); - } - if (Locations != null) - { - foreach (var element in Locations) - { - if (element != null) - { - element.Validate(); - } - } - } - if (Cors != null) - { - foreach (var element1 in Cors) - { - if (element1 != null) - { - element1.Validate(); - } - } - } - } - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DatabaseAccountGetResults.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DatabaseAccountGetResults.cs index ae57665ac872..279ee25e4518 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DatabaseAccountGetResults.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DatabaseAccountGetResults.cs @@ -83,6 +83,10 @@ public DatabaseAccountGetResults() /// operations on metadata resources (databases, containers, /// throughput) via account keys /// The URI of the key vault + /// The default identity for accessing + /// key vault used in features like customer managed keys. The default + /// identity needs to be explicitly set by the users. It can be + /// "FirstPartyIdentity", "SystemAssignedIdentity" and more. /// Whether requests from Public /// Network are allowed. Possible values include: 'Enabled', /// 'Disabled' @@ -91,12 +95,6 @@ public DatabaseAccountGetResults() /// API specific properties. /// Flag to indicate whether to /// enable storage analytics. - /// A unique identifier assigned to the - /// database account - /// Enum to indicate the mode of account - /// creation. Possible values include: 'Default', 'Restore' - /// Parameters to indicate the - /// information about the restore. /// The object representing the policy for /// taking backups on an account. /// The CORS policy for the Cosmos DB database @@ -107,12 +105,11 @@ public DatabaseAccountGetResults() /// An array that contains /// the Resource Ids for Network Acl Bypass for the Cosmos DB /// account. - /// The system meta data relating to this - /// resource. - public DatabaseAccountGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), string kind = default(string), string provisioningState = default(string), string documentEndpoint = default(string), DatabaseAccountOfferType? databaseAccountOfferType = default(DatabaseAccountOfferType?), IList ipRules = default(IList), bool? isVirtualNetworkFilterEnabled = default(bool?), bool? enableAutomaticFailover = default(bool?), ConsistencyPolicy consistencyPolicy = default(ConsistencyPolicy), IList capabilities = default(IList), IList writeLocations = default(IList), IList readLocations = default(IList), IList locations = default(IList), IList failoverPolicies = default(IList), IList virtualNetworkRules = default(IList), IList privateEndpointConnections = default(IList), bool? enableMultipleWriteLocations = default(bool?), bool? enableCassandraConnector = default(bool?), string connectorOffer = default(string), bool? disableKeyBasedMetadataWriteAccess = default(bool?), string keyVaultKeyUri = default(string), string publicNetworkAccess = default(string), bool? enableFreeTier = default(bool?), ApiProperties apiProperties = default(ApiProperties), bool? enableAnalyticalStorage = default(bool?), string instanceId = default(string), string createMode = default(string), RestoreParameters restoreParameters = default(RestoreParameters), BackupPolicy backupPolicy = default(BackupPolicy), IList cors = default(IList), NetworkAclBypass? networkAclBypass = default(NetworkAclBypass?), IList networkAclBypassResourceIds = default(IList), SystemData systemData = default(SystemData)) - : base(id, name, type, location, tags, identity) + public DatabaseAccountGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), string kind = default(string), ManagedServiceIdentity identity = default(ManagedServiceIdentity), string provisioningState = default(string), string documentEndpoint = default(string), DatabaseAccountOfferType? databaseAccountOfferType = default(DatabaseAccountOfferType?), IList ipRules = default(IList), bool? isVirtualNetworkFilterEnabled = default(bool?), bool? enableAutomaticFailover = default(bool?), ConsistencyPolicy consistencyPolicy = default(ConsistencyPolicy), IList capabilities = default(IList), IList writeLocations = default(IList), IList readLocations = default(IList), IList locations = default(IList), IList failoverPolicies = default(IList), IList virtualNetworkRules = default(IList), IList privateEndpointConnections = default(IList), bool? enableMultipleWriteLocations = default(bool?), bool? enableCassandraConnector = default(bool?), string connectorOffer = default(string), bool? disableKeyBasedMetadataWriteAccess = default(bool?), string keyVaultKeyUri = default(string), string defaultIdentity = default(string), string publicNetworkAccess = default(string), bool? enableFreeTier = default(bool?), ApiProperties apiProperties = default(ApiProperties), bool? enableAnalyticalStorage = default(bool?), BackupPolicy backupPolicy = default(BackupPolicy), IList cors = default(IList), NetworkAclBypass? networkAclBypass = default(NetworkAclBypass?), IList networkAclBypassResourceIds = default(IList)) + : base(id, name, type, location, tags) { Kind = kind; + Identity = identity; ProvisioningState = provisioningState; DocumentEndpoint = documentEndpoint; DatabaseAccountOfferType = databaseAccountOfferType; @@ -132,18 +129,15 @@ public DatabaseAccountGetResults() ConnectorOffer = connectorOffer; DisableKeyBasedMetadataWriteAccess = disableKeyBasedMetadataWriteAccess; KeyVaultKeyUri = keyVaultKeyUri; + DefaultIdentity = defaultIdentity; PublicNetworkAccess = publicNetworkAccess; EnableFreeTier = enableFreeTier; ApiProperties = apiProperties; EnableAnalyticalStorage = enableAnalyticalStorage; - InstanceId = instanceId; - CreateMode = createMode; - RestoreParameters = restoreParameters; BackupPolicy = backupPolicy; Cors = cors; NetworkAclBypass = networkAclBypass; NetworkAclBypassResourceIds = networkAclBypassResourceIds; - SystemData = systemData; CustomInit(); } @@ -160,6 +154,11 @@ public DatabaseAccountGetResults() [JsonProperty(PropertyName = "kind")] public string Kind { get; set; } + /// + /// + [JsonProperty(PropertyName = "identity")] + public ManagedServiceIdentity Identity { get; set; } + /// /// [JsonProperty(PropertyName = "properties.provisioningState")] @@ -289,6 +288,15 @@ public DatabaseAccountGetResults() [JsonProperty(PropertyName = "properties.keyVaultKeyUri")] public string KeyVaultKeyUri { get; set; } + /// + /// Gets or sets the default identity for accessing key vault used in + /// features like customer managed keys. The default identity needs to + /// be explicitly set by the users. It can be "FirstPartyIdentity", + /// "SystemAssignedIdentity" and more. + /// + [JsonProperty(PropertyName = "properties.defaultIdentity")] + public string DefaultIdentity { get; set; } + /// /// Gets or sets whether requests from Public Network are allowed. /// Possible values include: 'Enabled', 'Disabled' @@ -314,26 +322,6 @@ public DatabaseAccountGetResults() [JsonProperty(PropertyName = "properties.enableAnalyticalStorage")] public bool? EnableAnalyticalStorage { get; set; } - /// - /// Gets a unique identifier assigned to the database account - /// - [JsonProperty(PropertyName = "properties.instanceId")] - public string InstanceId { get; private set; } - - /// - /// Gets or sets enum to indicate the mode of account creation. - /// Possible values include: 'Default', 'Restore' - /// - [JsonProperty(PropertyName = "properties.createMode")] - public string CreateMode { get; set; } - - /// - /// Gets or sets parameters to indicate the information about the - /// restore. - /// - [JsonProperty(PropertyName = "properties.restoreParameters")] - public RestoreParameters RestoreParameters { get; set; } - /// /// Gets or sets the object representing the policy for taking backups /// on an account. @@ -361,12 +349,6 @@ public DatabaseAccountGetResults() [JsonProperty(PropertyName = "properties.networkAclBypassResourceIds")] public IList NetworkAclBypassResourceIds { get; set; } - /// - /// Gets the system meta data relating to this resource. - /// - [JsonProperty(PropertyName = "systemData")] - public SystemData SystemData { get; private set; } - /// /// Validate the object. /// diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DatabaseAccountUpdateParameters.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DatabaseAccountUpdateParameters.cs index d14b407a873b..024a4c9e8ed0 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DatabaseAccountUpdateParameters.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DatabaseAccountUpdateParameters.cs @@ -65,6 +65,10 @@ public DatabaseAccountUpdateParameters() /// operations on metadata resources (databases, containers, /// throughput) via account keys /// The URI of the key vault + /// The default identity for accessing + /// key vault used in features like customer managed keys. The default + /// identity needs to be explicitly set by the users. It can be + /// "FirstPartyIdentity", "SystemAssignedIdentity" and more. /// Whether requests from Public /// Network are allowed. Possible values include: 'Enabled', /// 'Disabled' @@ -84,10 +88,11 @@ public DatabaseAccountUpdateParameters() /// An array that contains /// the Resource Ids for Network Acl Bypass for the Cosmos DB /// account. - public DatabaseAccountUpdateParameters(IDictionary tags = default(IDictionary), string location = default(string), ConsistencyPolicy consistencyPolicy = default(ConsistencyPolicy), IList locations = default(IList), IList ipRules = default(IList), bool? isVirtualNetworkFilterEnabled = default(bool?), bool? enableAutomaticFailover = default(bool?), IList capabilities = default(IList), IList virtualNetworkRules = default(IList), bool? enableMultipleWriteLocations = default(bool?), bool? enableCassandraConnector = default(bool?), string connectorOffer = default(string), bool? disableKeyBasedMetadataWriteAccess = default(bool?), string keyVaultKeyUri = default(string), string publicNetworkAccess = default(string), bool? enableFreeTier = default(bool?), ApiProperties apiProperties = default(ApiProperties), bool? enableAnalyticalStorage = default(bool?), BackupPolicy backupPolicy = default(BackupPolicy), IList cors = default(IList), NetworkAclBypass? networkAclBypass = default(NetworkAclBypass?), IList networkAclBypassResourceIds = default(IList), ManagedServiceIdentity identity = default(ManagedServiceIdentity)) + public DatabaseAccountUpdateParameters(IDictionary tags = default(IDictionary), string location = default(string), ManagedServiceIdentity identity = default(ManagedServiceIdentity), ConsistencyPolicy consistencyPolicy = default(ConsistencyPolicy), IList locations = default(IList), IList ipRules = default(IList), bool? isVirtualNetworkFilterEnabled = default(bool?), bool? enableAutomaticFailover = default(bool?), IList capabilities = default(IList), IList virtualNetworkRules = default(IList), bool? enableMultipleWriteLocations = default(bool?), bool? enableCassandraConnector = default(bool?), string connectorOffer = default(string), bool? disableKeyBasedMetadataWriteAccess = default(bool?), string keyVaultKeyUri = default(string), string defaultIdentity = default(string), string publicNetworkAccess = default(string), bool? enableFreeTier = default(bool?), ApiProperties apiProperties = default(ApiProperties), bool? enableAnalyticalStorage = default(bool?), BackupPolicy backupPolicy = default(BackupPolicy), IList cors = default(IList), NetworkAclBypass? networkAclBypass = default(NetworkAclBypass?), IList networkAclBypassResourceIds = default(IList)) { Tags = tags; Location = location; + Identity = identity; ConsistencyPolicy = consistencyPolicy; Locations = locations; IpRules = ipRules; @@ -100,6 +105,7 @@ public DatabaseAccountUpdateParameters() ConnectorOffer = connectorOffer; DisableKeyBasedMetadataWriteAccess = disableKeyBasedMetadataWriteAccess; KeyVaultKeyUri = keyVaultKeyUri; + DefaultIdentity = defaultIdentity; PublicNetworkAccess = publicNetworkAccess; EnableFreeTier = enableFreeTier; ApiProperties = apiProperties; @@ -108,7 +114,6 @@ public DatabaseAccountUpdateParameters() Cors = cors; NetworkAclBypass = networkAclBypass; NetworkAclBypassResourceIds = networkAclBypassResourceIds; - Identity = identity; CustomInit(); } @@ -129,6 +134,11 @@ public DatabaseAccountUpdateParameters() [JsonProperty(PropertyName = "location")] public string Location { get; set; } + /// + /// + [JsonProperty(PropertyName = "identity")] + public ManagedServiceIdentity Identity { get; set; } + /// /// Gets or sets the consistency policy for the Cosmos DB account. /// @@ -211,6 +221,15 @@ public DatabaseAccountUpdateParameters() [JsonProperty(PropertyName = "properties.keyVaultKeyUri")] public string KeyVaultKeyUri { get; set; } + /// + /// Gets or sets the default identity for accessing key vault used in + /// features like customer managed keys. The default identity needs to + /// be explicitly set by the users. It can be "FirstPartyIdentity", + /// "SystemAssignedIdentity" and more. + /// + [JsonProperty(PropertyName = "properties.defaultIdentity")] + public string DefaultIdentity { get; set; } + /// /// Gets or sets whether requests from Public Network are allowed. /// Possible values include: 'Enabled', 'Disabled' @@ -264,11 +283,6 @@ public DatabaseAccountUpdateParameters() [JsonProperty(PropertyName = "properties.networkAclBypassResourceIds")] public IList NetworkAclBypassResourceIds { get; set; } - /// - /// - [JsonProperty(PropertyName = "identity")] - public ManagedServiceIdentity Identity { get; set; } - /// /// Validate the object. /// diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DatabaseRestoreResource.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DatabaseRestoreResource.cs deleted file mode 100644 index 1a34d450130d..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DatabaseRestoreResource.cs +++ /dev/null @@ -1,63 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Newtonsoft.Json; - using System.Collections; - using System.Collections.Generic; - using System.Linq; - - /// - /// Specific Databases to restore. - /// - public partial class DatabaseRestoreResource - { - /// - /// Initializes a new instance of the DatabaseRestoreResource class. - /// - public DatabaseRestoreResource() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the DatabaseRestoreResource class. - /// - /// The name of the database available for - /// restore. - /// The names of the collections - /// available for restore. - public DatabaseRestoreResource(string databaseName = default(string), IList collectionNames = default(IList)) - { - DatabaseName = databaseName; - CollectionNames = collectionNames; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets or sets the name of the database available for restore. - /// - [JsonProperty(PropertyName = "databaseName")] - public string DatabaseName { get; set; } - - /// - /// Gets or sets the names of the collections available for restore. - /// - [JsonProperty(PropertyName = "collectionNames")] - public IList CollectionNames { get; set; } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DefaultRequestDatabaseAccountCreateUpdateProperties.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DefaultRequestDatabaseAccountCreateUpdateProperties.cs deleted file mode 100644 index 1004d3630f41..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/DefaultRequestDatabaseAccountCreateUpdateProperties.cs +++ /dev/null @@ -1,105 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Newtonsoft.Json; - using System.Collections; - using System.Collections.Generic; - using System.Linq; - - /// - /// Properties for non-restore Azure Cosmos DB database account requests. - /// - [Newtonsoft.Json.JsonObject("Default")] - public partial class DefaultRequestDatabaseAccountCreateUpdateProperties : DatabaseAccountCreateUpdateProperties - { - /// - /// Initializes a new instance of the - /// DefaultRequestDatabaseAccountCreateUpdateProperties class. - /// - public DefaultRequestDatabaseAccountCreateUpdateProperties() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the - /// DefaultRequestDatabaseAccountCreateUpdateProperties class. - /// - /// An array that contains the georeplication - /// locations enabled for the Cosmos DB account. - /// The consistency policy for the - /// Cosmos DB account. - /// List of IpRules. - /// Flag to indicate - /// whether to enable/disable Virtual Network ACL rules. - /// Enables automatic failover of - /// the write region in the rare event that the region is unavailable - /// due to an outage. Automatic failover will result in a new write - /// region for the account and is chosen based on the failover - /// priorities configured for the account. - /// List of Cosmos DB capabilities for the - /// account - /// List of Virtual Network ACL rules - /// configured for the Cosmos DB account. - /// Enables the account to - /// write in multiple locations - /// Enables the cassandra - /// connector on the Cosmos DB C* account - /// The cassandra connector offer type for - /// the Cosmos DB database C* account. Possible values include: - /// 'Small' - /// Disable write - /// operations on metadata resources (databases, containers, - /// throughput) via account keys - /// The URI of the key vault - /// Whether requests from Public - /// Network are allowed. Possible values include: 'Enabled', - /// 'Disabled' - /// Flag to indicate whether Free Tier is - /// enabled. - /// API specific properties. Currently, - /// supported only for MongoDB API. - /// Flag to indicate whether to - /// enable storage analytics. - /// The object representing the policy for - /// taking backups on an account. - /// The CORS policy for the Cosmos DB database - /// account. - /// Indicates what services are allowed - /// to bypass firewall checks. Possible values include: 'None', - /// 'AzureServices' - /// An array that contains - /// the Resource Ids for Network Acl Bypass for the Cosmos DB - /// account. - public DefaultRequestDatabaseAccountCreateUpdateProperties(IList locations, ConsistencyPolicy consistencyPolicy = default(ConsistencyPolicy), IList ipRules = default(IList), bool? isVirtualNetworkFilterEnabled = default(bool?), bool? enableAutomaticFailover = default(bool?), IList capabilities = default(IList), IList virtualNetworkRules = default(IList), bool? enableMultipleWriteLocations = default(bool?), bool? enableCassandraConnector = default(bool?), string connectorOffer = default(string), bool? disableKeyBasedMetadataWriteAccess = default(bool?), string keyVaultKeyUri = default(string), string publicNetworkAccess = default(string), bool? enableFreeTier = default(bool?), ApiProperties apiProperties = default(ApiProperties), bool? enableAnalyticalStorage = default(bool?), BackupPolicy backupPolicy = default(BackupPolicy), IList cors = default(IList), NetworkAclBypass? networkAclBypass = default(NetworkAclBypass?), IList networkAclBypassResourceIds = default(IList)) - : base(locations, consistencyPolicy, ipRules, isVirtualNetworkFilterEnabled, enableAutomaticFailover, capabilities, virtualNetworkRules, enableMultipleWriteLocations, enableCassandraConnector, connectorOffer, disableKeyBasedMetadataWriteAccess, keyVaultKeyUri, publicNetworkAccess, enableFreeTier, apiProperties, enableAnalyticalStorage, backupPolicy, cors, networkAclBypass, networkAclBypassResourceIds) - { - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Validate the object. - /// - /// - /// Thrown if validation fails - /// - public override void Validate() - { - base.Validate(); - } - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/GremlinDatabaseCreateUpdateParameters.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/GremlinDatabaseCreateUpdateParameters.cs index 33e29608311b..ae6d23e8791d 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/GremlinDatabaseCreateUpdateParameters.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/GremlinDatabaseCreateUpdateParameters.cs @@ -47,8 +47,8 @@ public GremlinDatabaseCreateUpdateParameters() /// A key-value pair of options to be applied for /// the request. This corresponds to the headers sent with the /// request. - public GremlinDatabaseCreateUpdateParameters(GremlinDatabaseResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), CreateUpdateOptions options = default(CreateUpdateOptions)) - : base(id, name, type, location, tags, identity) + public GremlinDatabaseCreateUpdateParameters(GremlinDatabaseResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), CreateUpdateOptions options = default(CreateUpdateOptions)) + : base(id, name, type, location, tags) { Resource = resource; Options = options; diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/GremlinDatabaseGetResults.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/GremlinDatabaseGetResults.cs index be3f82c1fa68..9a89af0bd5ea 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/GremlinDatabaseGetResults.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/GremlinDatabaseGetResults.cs @@ -40,8 +40,8 @@ public GremlinDatabaseGetResults() /// The type of Azure resource. /// The location of the resource group to which /// the resource belongs. - public GremlinDatabaseGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), GremlinDatabaseGetPropertiesResource resource = default(GremlinDatabaseGetPropertiesResource), GremlinDatabaseGetPropertiesOptions options = default(GremlinDatabaseGetPropertiesOptions)) - : base(id, name, type, location, tags, identity) + public GremlinDatabaseGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), GremlinDatabaseGetPropertiesResource resource = default(GremlinDatabaseGetPropertiesResource), GremlinDatabaseGetPropertiesOptions options = default(GremlinDatabaseGetPropertiesOptions)) + : base(id, name, type, location, tags) { Resource = resource; Options = options; diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/GremlinGraphCreateUpdateParameters.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/GremlinGraphCreateUpdateParameters.cs index 90fb78b5579a..4c7e471391a0 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/GremlinGraphCreateUpdateParameters.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/GremlinGraphCreateUpdateParameters.cs @@ -47,8 +47,8 @@ public GremlinGraphCreateUpdateParameters() /// A key-value pair of options to be applied for /// the request. This corresponds to the headers sent with the /// request. - public GremlinGraphCreateUpdateParameters(GremlinGraphResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), CreateUpdateOptions options = default(CreateUpdateOptions)) - : base(id, name, type, location, tags, identity) + public GremlinGraphCreateUpdateParameters(GremlinGraphResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), CreateUpdateOptions options = default(CreateUpdateOptions)) + : base(id, name, type, location, tags) { Resource = resource; Options = options; diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/GremlinGraphGetResults.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/GremlinGraphGetResults.cs index 9c3326e51d2d..a0736cbceec3 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/GremlinGraphGetResults.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/GremlinGraphGetResults.cs @@ -40,8 +40,8 @@ public GremlinGraphGetResults() /// The type of Azure resource. /// The location of the resource group to which /// the resource belongs. - public GremlinGraphGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), GremlinGraphGetPropertiesResource resource = default(GremlinGraphGetPropertiesResource), GremlinGraphGetPropertiesOptions options = default(GremlinGraphGetPropertiesOptions)) - : base(id, name, type, location, tags, identity) + public GremlinGraphGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), GremlinGraphGetPropertiesResource resource = default(GremlinGraphGetPropertiesResource), GremlinGraphGetPropertiesOptions options = default(GremlinGraphGetPropertiesOptions)) + : base(id, name, type, location, tags) { Resource = resource; Options = options; diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ManagedCassandraProvisioningState.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ManagedCassandraProvisioningState.cs deleted file mode 100644 index e80c0d326fcf..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ManagedCassandraProvisioningState.cs +++ /dev/null @@ -1,26 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - - /// - /// Defines values for ManagedCassandraProvisioningState. - /// - public static class ManagedCassandraProvisioningState - { - public const string Creating = "Creating"; - public const string Updating = "Updating"; - public const string Deleting = "Deleting"; - public const string Succeeded = "Succeeded"; - public const string Failed = "Failed"; - public const string Canceled = "Canceled"; - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/MongoDBCollectionCreateUpdateParameters.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/MongoDBCollectionCreateUpdateParameters.cs index 6bb38ee28532..e36693984fa8 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/MongoDBCollectionCreateUpdateParameters.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/MongoDBCollectionCreateUpdateParameters.cs @@ -47,8 +47,8 @@ public MongoDBCollectionCreateUpdateParameters() /// A key-value pair of options to be applied for /// the request. This corresponds to the headers sent with the /// request. - public MongoDBCollectionCreateUpdateParameters(MongoDBCollectionResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), CreateUpdateOptions options = default(CreateUpdateOptions)) - : base(id, name, type, location, tags, identity) + public MongoDBCollectionCreateUpdateParameters(MongoDBCollectionResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), CreateUpdateOptions options = default(CreateUpdateOptions)) + : base(id, name, type, location, tags) { Resource = resource; Options = options; diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/MongoDBCollectionGetResults.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/MongoDBCollectionGetResults.cs index 2d4deffec4ac..175756c84be5 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/MongoDBCollectionGetResults.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/MongoDBCollectionGetResults.cs @@ -42,8 +42,8 @@ public MongoDBCollectionGetResults() /// The type of Azure resource. /// The location of the resource group to which /// the resource belongs. - public MongoDBCollectionGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), MongoDBCollectionGetPropertiesResource resource = default(MongoDBCollectionGetPropertiesResource), MongoDBCollectionGetPropertiesOptions options = default(MongoDBCollectionGetPropertiesOptions)) - : base(id, name, type, location, tags, identity) + public MongoDBCollectionGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), MongoDBCollectionGetPropertiesResource resource = default(MongoDBCollectionGetPropertiesResource), MongoDBCollectionGetPropertiesOptions options = default(MongoDBCollectionGetPropertiesOptions)) + : base(id, name, type, location, tags) { Resource = resource; Options = options; diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/MongoDBDatabaseCreateUpdateParameters.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/MongoDBDatabaseCreateUpdateParameters.cs index 0e50fbccf5eb..c478ca199eb2 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/MongoDBDatabaseCreateUpdateParameters.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/MongoDBDatabaseCreateUpdateParameters.cs @@ -47,8 +47,8 @@ public MongoDBDatabaseCreateUpdateParameters() /// A key-value pair of options to be applied for /// the request. This corresponds to the headers sent with the /// request. - public MongoDBDatabaseCreateUpdateParameters(MongoDBDatabaseResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), CreateUpdateOptions options = default(CreateUpdateOptions)) - : base(id, name, type, location, tags, identity) + public MongoDBDatabaseCreateUpdateParameters(MongoDBDatabaseResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), CreateUpdateOptions options = default(CreateUpdateOptions)) + : base(id, name, type, location, tags) { Resource = resource; Options = options; diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/MongoDBDatabaseGetResults.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/MongoDBDatabaseGetResults.cs index 9a1fc567a66f..1221e26766ac 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/MongoDBDatabaseGetResults.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/MongoDBDatabaseGetResults.cs @@ -40,8 +40,8 @@ public MongoDBDatabaseGetResults() /// The type of Azure resource. /// The location of the resource group to which /// the resource belongs. - public MongoDBDatabaseGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), MongoDBDatabaseGetPropertiesResource resource = default(MongoDBDatabaseGetPropertiesResource), MongoDBDatabaseGetPropertiesOptions options = default(MongoDBDatabaseGetPropertiesOptions)) - : base(id, name, type, location, tags, identity) + public MongoDBDatabaseGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), MongoDBDatabaseGetPropertiesResource resource = default(MongoDBDatabaseGetPropertiesResource), MongoDBDatabaseGetPropertiesOptions options = default(MongoDBDatabaseGetPropertiesOptions)) + : base(id, name, type, location, tags) { Resource = resource; Options = options; diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/NodeState.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/NodeState.cs deleted file mode 100644 index 34e58b90765d..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/NodeState.cs +++ /dev/null @@ -1,25 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - - /// - /// Defines values for NodeState. - /// - public static class NodeState - { - public const string Normal = "Normal"; - public const string Leaving = "Leaving"; - public const string Joining = "Joining"; - public const string Moving = "Moving"; - public const string Stopped = "Stopped"; - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/NodeStatus.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/NodeStatus.cs deleted file mode 100644 index 6e564bf0eb01..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/NodeStatus.cs +++ /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. -// -// Code generated by Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - - /// - /// Defines values for NodeStatus. - /// - public static class NodeStatus - { - public const string Up = "Up"; - public const string Down = "Down"; - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/OperationType.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/OperationType.cs deleted file mode 100644 index 8fd9dcaeff9b..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/OperationType.cs +++ /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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - - /// - /// Defines values for OperationType. - /// - public static class OperationType - { - public const string Create = "Create"; - public const string Replace = "Replace"; - public const string Delete = "Delete"; - public const string SystemOperation = "SystemOperation"; - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/PeriodicModeProperties.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/PeriodicModeProperties.cs index 837ad6334b46..7893d5036a95 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/PeriodicModeProperties.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/PeriodicModeProperties.cs @@ -35,14 +35,10 @@ public PeriodicModeProperties() /// An integer /// representing the time (in hours) that each backup is /// retained - /// Enum to indicate type of - /// backup residency. Possible values include: 'Geo', 'Local', - /// 'Zone' - public PeriodicModeProperties(int? backupIntervalInMinutes = default(int?), int? backupRetentionIntervalInHours = default(int?), string backupStorageRedundancy = default(string)) + public PeriodicModeProperties(int? backupIntervalInMinutes = default(int?), int? backupRetentionIntervalInHours = default(int?)) { BackupIntervalInMinutes = backupIntervalInMinutes; BackupRetentionIntervalInHours = backupRetentionIntervalInHours; - BackupStorageRedundancy = backupStorageRedundancy; CustomInit(); } @@ -65,13 +61,6 @@ public PeriodicModeProperties() [JsonProperty(PropertyName = "backupRetentionIntervalInHours")] public int? BackupRetentionIntervalInHours { get; set; } - /// - /// Gets or sets enum to indicate type of backup residency. Possible - /// values include: 'Geo', 'Local', 'Zone' - /// - [JsonProperty(PropertyName = "backupStorageRedundancy")] - public string BackupStorageRedundancy { get; set; } - /// /// Validate the object. /// diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RepairPostBody.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RepairPostBody.cs deleted file mode 100644 index 3d28f5aa19eb..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RepairPostBody.cs +++ /dev/null @@ -1,78 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Microsoft.Rest; - using Newtonsoft.Json; - using System.Collections; - using System.Collections.Generic; - using System.Linq; - - /// - /// Specification of the keyspaces and tables to run repair on. - /// - public partial class RepairPostBody - { - /// - /// Initializes a new instance of the RepairPostBody class. - /// - public RepairPostBody() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the RepairPostBody class. - /// - /// The name of the keyspace that repair should - /// be run on. - /// List of tables in the keyspace to repair. If - /// omitted, repair all tables in the keyspace. - public RepairPostBody(string keyspace, IList tables = default(IList)) - { - Keyspace = keyspace; - Tables = tables; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets or sets the name of the keyspace that repair should be run on. - /// - [JsonProperty(PropertyName = "keyspace")] - public string Keyspace { get; set; } - - /// - /// Gets or sets list of tables in the keyspace to repair. If omitted, - /// repair all tables in the keyspace. - /// - [JsonProperty(PropertyName = "tables")] - public IList Tables { get; set; } - - /// - /// Validate the object. - /// - /// - /// Thrown if validation fails - /// - public virtual void Validate() - { - if (Keyspace == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "Keyspace"); - } - } - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableDatabaseAccountGetResult.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableDatabaseAccountGetResult.cs deleted file mode 100644 index 6b06cc51ff4d..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableDatabaseAccountGetResult.cs +++ /dev/null @@ -1,136 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Microsoft.Rest; - using Microsoft.Rest.Serialization; - using Newtonsoft.Json; - using System.Collections; - using System.Collections.Generic; - using System.Linq; - - /// - /// A Azure Cosmos DB restorable database account. - /// - [Rest.Serialization.JsonTransformation] - public partial class RestorableDatabaseAccountGetResult - { - /// - /// Initializes a new instance of the - /// RestorableDatabaseAccountGetResult class. - /// - public RestorableDatabaseAccountGetResult() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the - /// RestorableDatabaseAccountGetResult class. - /// - /// The name of the global database - /// account - /// The creation time of the restorable - /// database account (ISO-8601 format). - /// The time at which the restorable - /// database account has been deleted (ISO-8601 format). - /// The API type of the restorable database - /// account. Possible values include: 'MongoDB', 'Gremlin', - /// 'Cassandra', 'Table', 'Sql', 'GremlinV2' - /// List of regions where the of the - /// database account can be restored from. - /// The unique resource identifier of the ARM - /// resource. - /// The name of the ARM resource. - /// The type of Azure resource. - /// The location of the resource group to which - /// the resource belongs. - public RestorableDatabaseAccountGetResult(string accountName = default(string), System.DateTime? creationTime = default(System.DateTime?), System.DateTime? deletionTime = default(System.DateTime?), string apiType = default(string), IList restorableLocations = default(IList), string id = default(string), string name = default(string), string type = default(string), string location = default(string)) - { - AccountName = accountName; - CreationTime = creationTime; - DeletionTime = deletionTime; - ApiType = apiType; - RestorableLocations = restorableLocations; - Id = id; - Name = name; - Type = type; - Location = location; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets or sets the name of the global database account - /// - [JsonProperty(PropertyName = "properties.accountName")] - public string AccountName { get; set; } - - /// - /// Gets or sets the creation time of the restorable database account - /// (ISO-8601 format). - /// - [JsonProperty(PropertyName = "properties.creationTime")] - public System.DateTime? CreationTime { get; set; } - - /// - /// Gets or sets the time at which the restorable database account has - /// been deleted (ISO-8601 format). - /// - [JsonProperty(PropertyName = "properties.deletionTime")] - public System.DateTime? DeletionTime { get; set; } - - /// - /// Gets the API type of the restorable database account. Possible - /// values include: 'MongoDB', 'Gremlin', 'Cassandra', 'Table', 'Sql', - /// 'GremlinV2' - /// - [JsonProperty(PropertyName = "properties.apiType")] - public string ApiType { get; private set; } - - /// - /// Gets list of regions where the of the database account can be - /// restored from. - /// - [JsonProperty(PropertyName = "properties.restorableLocations")] - public IList RestorableLocations { get; private set; } - - /// - /// Gets the unique resource identifier of the ARM resource. - /// - [JsonProperty(PropertyName = "id")] - public string Id { get; private set; } - - /// - /// Gets the name of the ARM resource. - /// - [JsonProperty(PropertyName = "name")] - public string Name { get; private set; } - - /// - /// Gets the type of Azure resource. - /// - [JsonProperty(PropertyName = "type")] - public string Type { get; private set; } - - /// - /// Gets or sets the location of the resource group to which the - /// resource belongs. - /// - [JsonProperty(PropertyName = "location")] - public string Location { get; set; } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableLocationResource.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableLocationResource.cs deleted file mode 100644 index 0c942ae55b61..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableLocationResource.cs +++ /dev/null @@ -1,82 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Newtonsoft.Json; - using System.Linq; - - /// - /// Properties of the regional restorable account. - /// - public partial class RestorableLocationResource - { - /// - /// Initializes a new instance of the RestorableLocationResource class. - /// - public RestorableLocationResource() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the RestorableLocationResource class. - /// - /// The location of the regional restorable - /// account. - /// The instance id of - /// the regional restorable account. - /// The creation time of the regional - /// restorable database account (ISO-8601 format). - /// The time at which the regional - /// restorable database account has been deleted (ISO-8601 - /// format). - public RestorableLocationResource(string locationName = default(string), string regionalDatabaseAccountInstanceId = default(string), System.DateTime? creationTime = default(System.DateTime?), System.DateTime? deletionTime = default(System.DateTime?)) - { - LocationName = locationName; - RegionalDatabaseAccountInstanceId = regionalDatabaseAccountInstanceId; - CreationTime = creationTime; - DeletionTime = deletionTime; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets the location of the regional restorable account. - /// - [JsonProperty(PropertyName = "locationName")] - public string LocationName { get; private set; } - - /// - /// Gets the instance id of the regional restorable account. - /// - [JsonProperty(PropertyName = "regionalDatabaseAccountInstanceId")] - public string RegionalDatabaseAccountInstanceId { get; private set; } - - /// - /// Gets the creation time of the regional restorable database account - /// (ISO-8601 format). - /// - [JsonProperty(PropertyName = "creationTime")] - public System.DateTime? CreationTime { get; private set; } - - /// - /// Gets the time at which the regional restorable database account has - /// been deleted (ISO-8601 format). - /// - [JsonProperty(PropertyName = "deletionTime")] - public System.DateTime? DeletionTime { get; private set; } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableMongodbCollectionGetResult.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableMongodbCollectionGetResult.cs deleted file mode 100644 index 4b39c95048b5..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableMongodbCollectionGetResult.cs +++ /dev/null @@ -1,83 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Microsoft.Rest; - using Microsoft.Rest.Serialization; - using Newtonsoft.Json; - using System.Linq; - - /// - /// An Azure Cosmos DB MongoDB collection event - /// - [Rest.Serialization.JsonTransformation] - public partial class RestorableMongodbCollectionGetResult - { - /// - /// Initializes a new instance of the - /// RestorableMongodbCollectionGetResult class. - /// - public RestorableMongodbCollectionGetResult() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the - /// RestorableMongodbCollectionGetResult class. - /// - /// The resource of an Azure Cosmos DB MongoDB - /// collection event - /// The unique resource Identifier of the ARM - /// resource. - /// The name of the ARM resource. - /// The type of Azure resource. - public RestorableMongodbCollectionGetResult(RestorableMongodbCollectionPropertiesResource resource = default(RestorableMongodbCollectionPropertiesResource), string id = default(string), string name = default(string), string type = default(string)) - { - Resource = resource; - Id = id; - Name = name; - Type = type; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets or sets the resource of an Azure Cosmos DB MongoDB collection - /// event - /// - [JsonProperty(PropertyName = "properties.resource")] - public RestorableMongodbCollectionPropertiesResource Resource { get; set; } - - /// - /// Gets the unique resource Identifier of the ARM resource. - /// - [JsonProperty(PropertyName = "id")] - public string Id { get; private set; } - - /// - /// Gets the name of the ARM resource. - /// - [JsonProperty(PropertyName = "name")] - public string Name { get; private set; } - - /// - /// Gets the type of Azure resource. - /// - [JsonProperty(PropertyName = "type")] - public string Type { get; private set; } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableMongodbCollectionPropertiesResource.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableMongodbCollectionPropertiesResource.cs deleted file mode 100644 index 463b850ec05e..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableMongodbCollectionPropertiesResource.cs +++ /dev/null @@ -1,91 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Newtonsoft.Json; - using System.Linq; - - /// - /// The resource of an Azure Cosmos DB MongoDB collection event - /// - public partial class RestorableMongodbCollectionPropertiesResource - { - /// - /// Initializes a new instance of the - /// RestorableMongodbCollectionPropertiesResource class. - /// - public RestorableMongodbCollectionPropertiesResource() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the - /// RestorableMongodbCollectionPropertiesResource class. - /// - /// A system generated property. A unique - /// identifier. - /// The operation type of this collection - /// event. Possible values include: 'Create', 'Replace', 'Delete', - /// 'SystemOperation' - /// The time when this collection event - /// happened. - /// The name of this MongoDB collection. - /// The resource ID of this MongoDB - /// collection. - public RestorableMongodbCollectionPropertiesResource(string _rid = default(string), string operationType = default(string), string eventTimestamp = default(string), string ownerId = default(string), string ownerResourceId = default(string)) - { - this._rid = _rid; - OperationType = operationType; - EventTimestamp = eventTimestamp; - OwnerId = ownerId; - OwnerResourceId = ownerResourceId; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets a system generated property. A unique identifier. - /// - [JsonProperty(PropertyName = "_rid")] - public string _rid { get; private set; } - - /// - /// Gets the operation type of this collection event. Possible values - /// include: 'Create', 'Replace', 'Delete', 'SystemOperation' - /// - [JsonProperty(PropertyName = "operationType")] - public string OperationType { get; private set; } - - /// - /// Gets the time when this collection event happened. - /// - [JsonProperty(PropertyName = "eventTimestamp")] - public string EventTimestamp { get; private set; } - - /// - /// Gets the name of this MongoDB collection. - /// - [JsonProperty(PropertyName = "ownerId")] - public string OwnerId { get; private set; } - - /// - /// Gets the resource ID of this MongoDB collection. - /// - [JsonProperty(PropertyName = "ownerResourceId")] - public string OwnerResourceId { get; private set; } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableMongodbDatabaseGetResult.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableMongodbDatabaseGetResult.cs deleted file mode 100644 index b002f0197c38..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableMongodbDatabaseGetResult.cs +++ /dev/null @@ -1,83 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Microsoft.Rest; - using Microsoft.Rest.Serialization; - using Newtonsoft.Json; - using System.Linq; - - /// - /// An Azure Cosmos DB MongoDB database event - /// - [Rest.Serialization.JsonTransformation] - public partial class RestorableMongodbDatabaseGetResult - { - /// - /// Initializes a new instance of the - /// RestorableMongodbDatabaseGetResult class. - /// - public RestorableMongodbDatabaseGetResult() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the - /// RestorableMongodbDatabaseGetResult class. - /// - /// The resource of an Azure Cosmos DB MongoDB - /// database event - /// The unique resource Identifier of the ARM - /// resource. - /// The name of the ARM resource. - /// The type of Azure resource. - public RestorableMongodbDatabaseGetResult(RestorableMongodbDatabasePropertiesResource resource = default(RestorableMongodbDatabasePropertiesResource), string id = default(string), string name = default(string), string type = default(string)) - { - Resource = resource; - Id = id; - Name = name; - Type = type; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets or sets the resource of an Azure Cosmos DB MongoDB database - /// event - /// - [JsonProperty(PropertyName = "properties.resource")] - public RestorableMongodbDatabasePropertiesResource Resource { get; set; } - - /// - /// Gets the unique resource Identifier of the ARM resource. - /// - [JsonProperty(PropertyName = "id")] - public string Id { get; private set; } - - /// - /// Gets the name of the ARM resource. - /// - [JsonProperty(PropertyName = "name")] - public string Name { get; private set; } - - /// - /// Gets the type of Azure resource. - /// - [JsonProperty(PropertyName = "type")] - public string Type { get; private set; } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableMongodbDatabasePropertiesResource.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableMongodbDatabasePropertiesResource.cs deleted file mode 100644 index 7c06c8643d71..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableMongodbDatabasePropertiesResource.cs +++ /dev/null @@ -1,91 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Newtonsoft.Json; - using System.Linq; - - /// - /// The resource of an Azure Cosmos DB MongoDB database event - /// - public partial class RestorableMongodbDatabasePropertiesResource - { - /// - /// Initializes a new instance of the - /// RestorableMongodbDatabasePropertiesResource class. - /// - public RestorableMongodbDatabasePropertiesResource() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the - /// RestorableMongodbDatabasePropertiesResource class. - /// - /// A system generated property. A unique - /// identifier. - /// The operation type of this database - /// event. Possible values include: 'Create', 'Replace', 'Delete', - /// 'SystemOperation' - /// The time when this database event - /// happened. - /// The name of this MongoDB database. - /// The resource ID of this MongoDB - /// database. - public RestorableMongodbDatabasePropertiesResource(string _rid = default(string), string operationType = default(string), string eventTimestamp = default(string), string ownerId = default(string), string ownerResourceId = default(string)) - { - this._rid = _rid; - OperationType = operationType; - EventTimestamp = eventTimestamp; - OwnerId = ownerId; - OwnerResourceId = ownerResourceId; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets a system generated property. A unique identifier. - /// - [JsonProperty(PropertyName = "_rid")] - public string _rid { get; private set; } - - /// - /// Gets the operation type of this database event. Possible values - /// include: 'Create', 'Replace', 'Delete', 'SystemOperation' - /// - [JsonProperty(PropertyName = "operationType")] - public string OperationType { get; private set; } - - /// - /// Gets the time when this database event happened. - /// - [JsonProperty(PropertyName = "eventTimestamp")] - public string EventTimestamp { get; private set; } - - /// - /// Gets the name of this MongoDB database. - /// - [JsonProperty(PropertyName = "ownerId")] - public string OwnerId { get; private set; } - - /// - /// Gets the resource ID of this MongoDB database. - /// - [JsonProperty(PropertyName = "ownerResourceId")] - public string OwnerResourceId { get; private set; } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableSqlContainerGetResult.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableSqlContainerGetResult.cs deleted file mode 100644 index fa5bf9dc46d2..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableSqlContainerGetResult.cs +++ /dev/null @@ -1,95 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Microsoft.Rest; - using Microsoft.Rest.Serialization; - using Newtonsoft.Json; - using System.Linq; - - /// - /// An Azure Cosmos DB SQL container event - /// - [Rest.Serialization.JsonTransformation] - public partial class RestorableSqlContainerGetResult - { - /// - /// Initializes a new instance of the RestorableSqlContainerGetResult - /// class. - /// - public RestorableSqlContainerGetResult() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the RestorableSqlContainerGetResult - /// class. - /// - /// The resource of an Azure Cosmos DB SQL - /// container event - /// The unique resource Identifier of the ARM - /// resource. - /// The name of the ARM resource. - /// The type of Azure resource. - public RestorableSqlContainerGetResult(RestorableSqlContainerPropertiesResource resource = default(RestorableSqlContainerPropertiesResource), string id = default(string), string name = default(string), string type = default(string)) - { - Resource = resource; - Id = id; - Name = name; - Type = type; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets or sets the resource of an Azure Cosmos DB SQL container event - /// - [JsonProperty(PropertyName = "properties.resource")] - public RestorableSqlContainerPropertiesResource Resource { get; set; } - - /// - /// Gets the unique resource Identifier of the ARM resource. - /// - [JsonProperty(PropertyName = "id")] - public string Id { get; private set; } - - /// - /// Gets the name of the ARM resource. - /// - [JsonProperty(PropertyName = "name")] - public string Name { get; private set; } - - /// - /// Gets the type of Azure resource. - /// - [JsonProperty(PropertyName = "type")] - public string Type { get; private set; } - - /// - /// Validate the object. - /// - /// - /// Thrown if validation fails - /// - public virtual void Validate() - { - if (Resource != null) - { - Resource.Validate(); - } - } - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableSqlContainerPropertiesResource.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableSqlContainerPropertiesResource.cs deleted file mode 100644 index 511fea7331af..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableSqlContainerPropertiesResource.cs +++ /dev/null @@ -1,113 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Newtonsoft.Json; - using System.Linq; - - /// - /// The resource of an Azure Cosmos DB SQL container event - /// - public partial class RestorableSqlContainerPropertiesResource - { - /// - /// Initializes a new instance of the - /// RestorableSqlContainerPropertiesResource class. - /// - public RestorableSqlContainerPropertiesResource() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the - /// RestorableSqlContainerPropertiesResource class. - /// - /// A system generated property. A unique - /// identifier. - /// The operation type of this container - /// event. Possible values include: 'Create', 'Replace', 'Delete', - /// 'SystemOperation' - /// The when this container event - /// happened. - /// The name of this SQL container. - /// The resource ID of this SQL - /// container. - /// Cosmos DB SQL container resource - /// object - public RestorableSqlContainerPropertiesResource(string _rid = default(string), string operationType = default(string), string eventTimestamp = default(string), string ownerId = default(string), string ownerResourceId = default(string), RestorableSqlContainerPropertiesResourceContainer container = default(RestorableSqlContainerPropertiesResourceContainer)) - { - this._rid = _rid; - OperationType = operationType; - EventTimestamp = eventTimestamp; - OwnerId = ownerId; - OwnerResourceId = ownerResourceId; - Container = container; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets a system generated property. A unique identifier. - /// - [JsonProperty(PropertyName = "_rid")] - public string _rid { get; private set; } - - /// - /// Gets the operation type of this container event. Possible values - /// include: 'Create', 'Replace', 'Delete', 'SystemOperation' - /// - [JsonProperty(PropertyName = "operationType")] - public string OperationType { get; private set; } - - /// - /// Gets the when this container event happened. - /// - [JsonProperty(PropertyName = "eventTimestamp")] - public string EventTimestamp { get; private set; } - - /// - /// Gets the name of this SQL container. - /// - [JsonProperty(PropertyName = "ownerId")] - public string OwnerId { get; private set; } - - /// - /// Gets the resource ID of this SQL container. - /// - [JsonProperty(PropertyName = "ownerResourceId")] - public string OwnerResourceId { get; private set; } - - /// - /// Gets or sets cosmos DB SQL container resource object - /// - [JsonProperty(PropertyName = "container")] - public RestorableSqlContainerPropertiesResourceContainer Container { get; set; } - - /// - /// Validate the object. - /// - /// - /// Thrown if validation fails - /// - public virtual void Validate() - { - if (Container != null) - { - Container.Validate(); - } - } - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableSqlContainerPropertiesResourceContainer.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableSqlContainerPropertiesResourceContainer.cs deleted file mode 100644 index 57f76559317f..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableSqlContainerPropertiesResourceContainer.cs +++ /dev/null @@ -1,169 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Microsoft.Rest; - using Newtonsoft.Json; - using System.Linq; - - /// - /// Cosmos DB SQL container resource object - /// - public partial class RestorableSqlContainerPropertiesResourceContainer - { - /// - /// Initializes a new instance of the - /// RestorableSqlContainerPropertiesResourceContainer class. - /// - public RestorableSqlContainerPropertiesResourceContainer() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the - /// RestorableSqlContainerPropertiesResourceContainer class. - /// - /// Name of the Cosmos DB SQL container - /// The configuration of the indexing - /// policy. By default, the indexing is automatic for all document - /// paths within the container - /// The configuration of the partition key - /// to be used for partitioning data into multiple partitions - /// Default time to live - /// The unique key policy configuration - /// for specifying uniqueness constraints on documents in the - /// collection in the Azure Cosmos DB service. - /// The conflict resolution - /// policy for the container. - /// Analytical TTL. - /// A system generated property. A unique - /// identifier. - /// A system generated property that denotes the last - /// updated timestamp of the resource. - /// A system generated property representing the - /// resource etag required for optimistic concurrency control. - /// A system generated property that specifies the - /// addressable path of the container resource. - public RestorableSqlContainerPropertiesResourceContainer(string id, IndexingPolicy indexingPolicy = default(IndexingPolicy), ContainerPartitionKey partitionKey = default(ContainerPartitionKey), int? defaultTtl = default(int?), UniqueKeyPolicy uniqueKeyPolicy = default(UniqueKeyPolicy), ConflictResolutionPolicy conflictResolutionPolicy = default(ConflictResolutionPolicy), long? analyticalStorageTtl = default(long?), string _rid = default(string), double? _ts = default(double?), string _etag = default(string), string _self = default(string)) - { - Id = id; - IndexingPolicy = indexingPolicy; - PartitionKey = partitionKey; - DefaultTtl = defaultTtl; - UniqueKeyPolicy = uniqueKeyPolicy; - ConflictResolutionPolicy = conflictResolutionPolicy; - AnalyticalStorageTtl = analyticalStorageTtl; - this._rid = _rid; - this._ts = _ts; - this._etag = _etag; - this._self = _self; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets or sets name of the Cosmos DB SQL container - /// - [JsonProperty(PropertyName = "id")] - public string Id { get; set; } - - /// - /// Gets or sets the configuration of the indexing policy. By default, - /// the indexing is automatic for all document paths within the - /// container - /// - [JsonProperty(PropertyName = "indexingPolicy")] - public IndexingPolicy IndexingPolicy { get; set; } - - /// - /// Gets or sets the configuration of the partition key to be used for - /// partitioning data into multiple partitions - /// - [JsonProperty(PropertyName = "partitionKey")] - public ContainerPartitionKey PartitionKey { get; set; } - - /// - /// Gets or sets default time to live - /// - [JsonProperty(PropertyName = "defaultTtl")] - public int? DefaultTtl { get; set; } - - /// - /// Gets or sets the unique key policy configuration for specifying - /// uniqueness constraints on documents in the collection in the Azure - /// Cosmos DB service. - /// - [JsonProperty(PropertyName = "uniqueKeyPolicy")] - public UniqueKeyPolicy UniqueKeyPolicy { get; set; } - - /// - /// Gets or sets the conflict resolution policy for the container. - /// - [JsonProperty(PropertyName = "conflictResolutionPolicy")] - public ConflictResolutionPolicy ConflictResolutionPolicy { get; set; } - - /// - /// Gets or sets analytical TTL. - /// - [JsonProperty(PropertyName = "analyticalStorageTtl")] - public long? AnalyticalStorageTtl { get; set; } - - /// - /// Gets a system generated property. A unique identifier. - /// - [JsonProperty(PropertyName = "_rid")] - public string _rid { get; private set; } - - /// - /// Gets a system generated property that denotes the last updated - /// timestamp of the resource. - /// - [JsonProperty(PropertyName = "_ts")] - public double? _ts { get; private set; } - - /// - /// Gets a system generated property representing the resource etag - /// required for optimistic concurrency control. - /// - [JsonProperty(PropertyName = "_etag")] - public string _etag { get; private set; } - - /// - /// Gets a system generated property that specifies the addressable - /// path of the container resource. - /// - [JsonProperty(PropertyName = "_self")] - public string _self { get; private set; } - - /// - /// Validate the object. - /// - /// - /// Thrown if validation fails - /// - public virtual void Validate() - { - if (Id == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "Id"); - } - if (PartitionKey != null) - { - PartitionKey.Validate(); - } - } - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableSqlDatabaseGetResult.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableSqlDatabaseGetResult.cs deleted file mode 100644 index b9b9a715c381..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableSqlDatabaseGetResult.cs +++ /dev/null @@ -1,95 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Microsoft.Rest; - using Microsoft.Rest.Serialization; - using Newtonsoft.Json; - using System.Linq; - - /// - /// An Azure Cosmos DB SQL database event - /// - [Rest.Serialization.JsonTransformation] - public partial class RestorableSqlDatabaseGetResult - { - /// - /// Initializes a new instance of the RestorableSqlDatabaseGetResult - /// class. - /// - public RestorableSqlDatabaseGetResult() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the RestorableSqlDatabaseGetResult - /// class. - /// - /// The resource of an Azure Cosmos DB SQL - /// database event - /// The unique resource Identifier of the ARM - /// resource. - /// The name of the ARM resource. - /// The type of Azure resource. - public RestorableSqlDatabaseGetResult(RestorableSqlDatabasePropertiesResource resource = default(RestorableSqlDatabasePropertiesResource), string id = default(string), string name = default(string), string type = default(string)) - { - Resource = resource; - Id = id; - Name = name; - Type = type; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets or sets the resource of an Azure Cosmos DB SQL database event - /// - [JsonProperty(PropertyName = "properties.resource")] - public RestorableSqlDatabasePropertiesResource Resource { get; set; } - - /// - /// Gets the unique resource Identifier of the ARM resource. - /// - [JsonProperty(PropertyName = "id")] - public string Id { get; private set; } - - /// - /// Gets the name of the ARM resource. - /// - [JsonProperty(PropertyName = "name")] - public string Name { get; private set; } - - /// - /// Gets the type of Azure resource. - /// - [JsonProperty(PropertyName = "type")] - public string Type { get; private set; } - - /// - /// Validate the object. - /// - /// - /// Thrown if validation fails - /// - public virtual void Validate() - { - if (Resource != null) - { - Resource.Validate(); - } - } - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableSqlDatabasePropertiesResource.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableSqlDatabasePropertiesResource.cs deleted file mode 100644 index ba9bbcbdb6f9..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableSqlDatabasePropertiesResource.cs +++ /dev/null @@ -1,113 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Newtonsoft.Json; - using System.Linq; - - /// - /// The resource of an Azure Cosmos DB SQL database event - /// - public partial class RestorableSqlDatabasePropertiesResource - { - /// - /// Initializes a new instance of the - /// RestorableSqlDatabasePropertiesResource class. - /// - public RestorableSqlDatabasePropertiesResource() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the - /// RestorableSqlDatabasePropertiesResource class. - /// - /// A system generated property. A unique - /// identifier. - /// The operation type of this database - /// event. Possible values include: 'Create', 'Replace', 'Delete', - /// 'SystemOperation' - /// The time when this database event - /// happened. - /// The name of the SQL database. - /// The resource ID of the SQL - /// database. - /// Cosmos DB SQL database resource - /// object - public RestorableSqlDatabasePropertiesResource(string _rid = default(string), string operationType = default(string), string eventTimestamp = default(string), string ownerId = default(string), string ownerResourceId = default(string), RestorableSqlDatabasePropertiesResourceDatabase database = default(RestorableSqlDatabasePropertiesResourceDatabase)) - { - this._rid = _rid; - OperationType = operationType; - EventTimestamp = eventTimestamp; - OwnerId = ownerId; - OwnerResourceId = ownerResourceId; - Database = database; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets a system generated property. A unique identifier. - /// - [JsonProperty(PropertyName = "_rid")] - public string _rid { get; private set; } - - /// - /// Gets the operation type of this database event. Possible values - /// include: 'Create', 'Replace', 'Delete', 'SystemOperation' - /// - [JsonProperty(PropertyName = "operationType")] - public string OperationType { get; private set; } - - /// - /// Gets the time when this database event happened. - /// - [JsonProperty(PropertyName = "eventTimestamp")] - public string EventTimestamp { get; private set; } - - /// - /// Gets the name of the SQL database. - /// - [JsonProperty(PropertyName = "ownerId")] - public string OwnerId { get; private set; } - - /// - /// Gets the resource ID of the SQL database. - /// - [JsonProperty(PropertyName = "ownerResourceId")] - public string OwnerResourceId { get; private set; } - - /// - /// Gets or sets cosmos DB SQL database resource object - /// - [JsonProperty(PropertyName = "database")] - public RestorableSqlDatabasePropertiesResourceDatabase Database { get; set; } - - /// - /// Validate the object. - /// - /// - /// Thrown if validation fails - /// - public virtual void Validate() - { - if (Database != null) - { - Database.Validate(); - } - } - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableSqlDatabasePropertiesResourceDatabase.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableSqlDatabasePropertiesResourceDatabase.cs deleted file mode 100644 index d17a30ea4a3e..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestorableSqlDatabasePropertiesResourceDatabase.cs +++ /dev/null @@ -1,126 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Microsoft.Rest; - using Newtonsoft.Json; - using System.Linq; - - /// - /// Cosmos DB SQL database resource object - /// - public partial class RestorableSqlDatabasePropertiesResourceDatabase - { - /// - /// Initializes a new instance of the - /// RestorableSqlDatabasePropertiesResourceDatabase class. - /// - public RestorableSqlDatabasePropertiesResourceDatabase() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the - /// RestorableSqlDatabasePropertiesResourceDatabase class. - /// - /// Name of the Cosmos DB SQL database - /// A system generated property. A unique - /// identifier. - /// A system generated property that denotes the last - /// updated timestamp of the resource. - /// A system generated property representing the - /// resource etag required for optimistic concurrency control. - /// A system generated property that specified the - /// addressable path of the collections resource. - /// A system generated property that specifies the - /// addressable path of the users resource. - /// A system generated property that specifies the - /// addressable path of the database resource. - public RestorableSqlDatabasePropertiesResourceDatabase(string id, string _rid = default(string), double? _ts = default(double?), string _etag = default(string), string _colls = default(string), string _users = default(string), string _self = default(string)) - { - Id = id; - this._rid = _rid; - this._ts = _ts; - this._etag = _etag; - this._colls = _colls; - this._users = _users; - this._self = _self; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets or sets name of the Cosmos DB SQL database - /// - [JsonProperty(PropertyName = "id")] - public string Id { get; set; } - - /// - /// Gets a system generated property. A unique identifier. - /// - [JsonProperty(PropertyName = "_rid")] - public string _rid { get; private set; } - - /// - /// Gets a system generated property that denotes the last updated - /// timestamp of the resource. - /// - [JsonProperty(PropertyName = "_ts")] - public double? _ts { get; private set; } - - /// - /// Gets a system generated property representing the resource etag - /// required for optimistic concurrency control. - /// - [JsonProperty(PropertyName = "_etag")] - public string _etag { get; private set; } - - /// - /// Gets a system generated property that specified the addressable - /// path of the collections resource. - /// - [JsonProperty(PropertyName = "_colls")] - public string _colls { get; private set; } - - /// - /// Gets a system generated property that specifies the addressable - /// path of the users resource. - /// - [JsonProperty(PropertyName = "_users")] - public string _users { get; private set; } - - /// - /// Gets a system generated property that specifies the addressable - /// path of the database resource. - /// - [JsonProperty(PropertyName = "_self")] - public string _self { get; private set; } - - /// - /// Validate the object. - /// - /// - /// Thrown if validation fails - /// - public virtual void Validate() - { - if (Id == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "Id"); - } - } - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestoreMode.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestoreMode.cs deleted file mode 100644 index 347b1a4033f2..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestoreMode.cs +++ /dev/null @@ -1,21 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - - /// - /// Defines values for RestoreMode. - /// - public static class RestoreMode - { - public const string PointInTime = "PointInTime"; - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestoreParameters.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestoreParameters.cs deleted file mode 100644 index 2fd078b19f03..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestoreParameters.cs +++ /dev/null @@ -1,86 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Newtonsoft.Json; - using System.Collections; - using System.Collections.Generic; - using System.Linq; - - /// - /// Parameters to indicate the information about the restore. - /// - public partial class RestoreParameters - { - /// - /// Initializes a new instance of the RestoreParameters class. - /// - public RestoreParameters() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the RestoreParameters class. - /// - /// Describes the mode of the restore. - /// Possible values include: 'PointInTime' - /// The id of the restorable database - /// account from which the restore has to be initiated. For example: - /// /subscriptions/{subscriptionId}/providers/Microsoft.DocumentDB/locations/{location}/restorableDatabaseAccounts/{restorableDatabaseAccountName} - /// Time to which the account has - /// to be restored (ISO-8601 format). - /// List of specific databases - /// available for restore. - public RestoreParameters(string restoreMode = default(string), string restoreSource = default(string), System.DateTime? restoreTimestampInUtc = default(System.DateTime?), IList databasesToRestore = default(IList)) - { - RestoreMode = restoreMode; - RestoreSource = restoreSource; - RestoreTimestampInUtc = restoreTimestampInUtc; - DatabasesToRestore = databasesToRestore; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets or sets describes the mode of the restore. Possible values - /// include: 'PointInTime' - /// - [JsonProperty(PropertyName = "restoreMode")] - public string RestoreMode { get; set; } - - /// - /// Gets or sets the id of the restorable database account from which - /// the restore has to be initiated. For example: - /// /subscriptions/{subscriptionId}/providers/Microsoft.DocumentDB/locations/{location}/restorableDatabaseAccounts/{restorableDatabaseAccountName} - /// - [JsonProperty(PropertyName = "restoreSource")] - public string RestoreSource { get; set; } - - /// - /// Gets or sets time to which the account has to be restored (ISO-8601 - /// format). - /// - [JsonProperty(PropertyName = "restoreTimestampInUtc")] - public System.DateTime? RestoreTimestampInUtc { get; set; } - - /// - /// Gets or sets list of specific databases available for restore. - /// - [JsonProperty(PropertyName = "databasesToRestore")] - public IList DatabasesToRestore { get; set; } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestoreReqeustDatabaseAccountCreateUpdateProperties.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestoreReqeustDatabaseAccountCreateUpdateProperties.cs deleted file mode 100644 index ff1f739e373d..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/RestoreReqeustDatabaseAccountCreateUpdateProperties.cs +++ /dev/null @@ -1,115 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Newtonsoft.Json; - using System.Collections; - using System.Collections.Generic; - using System.Linq; - - /// - /// Properties to restore Azure Cosmos DB database account. - /// - [Newtonsoft.Json.JsonObject("Restore")] - public partial class RestoreReqeustDatabaseAccountCreateUpdateProperties : DatabaseAccountCreateUpdateProperties - { - /// - /// Initializes a new instance of the - /// RestoreReqeustDatabaseAccountCreateUpdateProperties class. - /// - public RestoreReqeustDatabaseAccountCreateUpdateProperties() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the - /// RestoreReqeustDatabaseAccountCreateUpdateProperties class. - /// - /// An array that contains the georeplication - /// locations enabled for the Cosmos DB account. - /// The consistency policy for the - /// Cosmos DB account. - /// List of IpRules. - /// Flag to indicate - /// whether to enable/disable Virtual Network ACL rules. - /// Enables automatic failover of - /// the write region in the rare event that the region is unavailable - /// due to an outage. Automatic failover will result in a new write - /// region for the account and is chosen based on the failover - /// priorities configured for the account. - /// List of Cosmos DB capabilities for the - /// account - /// List of Virtual Network ACL rules - /// configured for the Cosmos DB account. - /// Enables the account to - /// write in multiple locations - /// Enables the cassandra - /// connector on the Cosmos DB C* account - /// The cassandra connector offer type for - /// the Cosmos DB database C* account. Possible values include: - /// 'Small' - /// Disable write - /// operations on metadata resources (databases, containers, - /// throughput) via account keys - /// The URI of the key vault - /// Whether requests from Public - /// Network are allowed. Possible values include: 'Enabled', - /// 'Disabled' - /// Flag to indicate whether Free Tier is - /// enabled. - /// API specific properties. Currently, - /// supported only for MongoDB API. - /// Flag to indicate whether to - /// enable storage analytics. - /// The object representing the policy for - /// taking backups on an account. - /// The CORS policy for the Cosmos DB database - /// account. - /// Indicates what services are allowed - /// to bypass firewall checks. Possible values include: 'None', - /// 'AzureServices' - /// An array that contains - /// the Resource Ids for Network Acl Bypass for the Cosmos DB - /// account. - /// Parameters to indicate the - /// information about the restore. - public RestoreReqeustDatabaseAccountCreateUpdateProperties(IList locations, ConsistencyPolicy consistencyPolicy = default(ConsistencyPolicy), IList ipRules = default(IList), bool? isVirtualNetworkFilterEnabled = default(bool?), bool? enableAutomaticFailover = default(bool?), IList capabilities = default(IList), IList virtualNetworkRules = default(IList), bool? enableMultipleWriteLocations = default(bool?), bool? enableCassandraConnector = default(bool?), string connectorOffer = default(string), bool? disableKeyBasedMetadataWriteAccess = default(bool?), string keyVaultKeyUri = default(string), string publicNetworkAccess = default(string), bool? enableFreeTier = default(bool?), ApiProperties apiProperties = default(ApiProperties), bool? enableAnalyticalStorage = default(bool?), BackupPolicy backupPolicy = default(BackupPolicy), IList cors = default(IList), NetworkAclBypass? networkAclBypass = default(NetworkAclBypass?), IList networkAclBypassResourceIds = default(IList), RestoreParameters restoreParameters = default(RestoreParameters)) - : base(locations, consistencyPolicy, ipRules, isVirtualNetworkFilterEnabled, enableAutomaticFailover, capabilities, virtualNetworkRules, enableMultipleWriteLocations, enableCassandraConnector, connectorOffer, disableKeyBasedMetadataWriteAccess, keyVaultKeyUri, publicNetworkAccess, enableFreeTier, apiProperties, enableAnalyticalStorage, backupPolicy, cors, networkAclBypass, networkAclBypassResourceIds) - { - RestoreParameters = restoreParameters; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets or sets parameters to indicate the information about the - /// restore. - /// - [JsonProperty(PropertyName = "restoreParameters")] - public RestoreParameters RestoreParameters { get; set; } - - /// - /// Validate the object. - /// - /// - /// Thrown if validation fails - /// - public override void Validate() - { - base.Validate(); - } - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SeedNode.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SeedNode.cs deleted file mode 100644 index 8fd9323c37fe..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SeedNode.cs +++ /dev/null @@ -1,48 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Newtonsoft.Json; - using System.Linq; - - public partial class SeedNode - { - /// - /// Initializes a new instance of the SeedNode class. - /// - public SeedNode() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the SeedNode class. - /// - /// IP address of this seed node. - public SeedNode(string ipAddress = default(string)) - { - IpAddress = ipAddress; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets or sets IP address of this seed node. - /// - [JsonProperty(PropertyName = "ipAddress")] - public string IpAddress { get; set; } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlContainerCreateUpdateParameters.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlContainerCreateUpdateParameters.cs index f3d8be926d20..915213312f9c 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlContainerCreateUpdateParameters.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlContainerCreateUpdateParameters.cs @@ -47,8 +47,8 @@ public SqlContainerCreateUpdateParameters() /// A key-value pair of options to be applied for /// the request. This corresponds to the headers sent with the /// request. - public SqlContainerCreateUpdateParameters(SqlContainerResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), CreateUpdateOptions options = default(CreateUpdateOptions)) - : base(id, name, type, location, tags, identity) + public SqlContainerCreateUpdateParameters(SqlContainerResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), CreateUpdateOptions options = default(CreateUpdateOptions)) + : base(id, name, type, location, tags) { Resource = resource; Options = options; diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlContainerGetResults.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlContainerGetResults.cs index 56a61bad9df5..241a58696957 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlContainerGetResults.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlContainerGetResults.cs @@ -40,8 +40,8 @@ public SqlContainerGetResults() /// The type of Azure resource. /// The location of the resource group to which /// the resource belongs. - public SqlContainerGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), SqlContainerGetPropertiesResource resource = default(SqlContainerGetPropertiesResource), SqlContainerGetPropertiesOptions options = default(SqlContainerGetPropertiesOptions)) - : base(id, name, type, location, tags, identity) + public SqlContainerGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), SqlContainerGetPropertiesResource resource = default(SqlContainerGetPropertiesResource), SqlContainerGetPropertiesOptions options = default(SqlContainerGetPropertiesOptions)) + : base(id, name, type, location, tags) { Resource = resource; Options = options; diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlDatabaseCreateUpdateParameters.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlDatabaseCreateUpdateParameters.cs index 7b66b990ea08..682267954808 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlDatabaseCreateUpdateParameters.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlDatabaseCreateUpdateParameters.cs @@ -47,8 +47,8 @@ public SqlDatabaseCreateUpdateParameters() /// A key-value pair of options to be applied for /// the request. This corresponds to the headers sent with the /// request. - public SqlDatabaseCreateUpdateParameters(SqlDatabaseResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), CreateUpdateOptions options = default(CreateUpdateOptions)) - : base(id, name, type, location, tags, identity) + public SqlDatabaseCreateUpdateParameters(SqlDatabaseResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), CreateUpdateOptions options = default(CreateUpdateOptions)) + : base(id, name, type, location, tags) { Resource = resource; Options = options; diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlDatabaseGetResults.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlDatabaseGetResults.cs index 24e5ec5c665a..1a16ae9b45b2 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlDatabaseGetResults.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlDatabaseGetResults.cs @@ -40,8 +40,8 @@ public SqlDatabaseGetResults() /// The type of Azure resource. /// The location of the resource group to which /// the resource belongs. - public SqlDatabaseGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), SqlDatabaseGetPropertiesResource resource = default(SqlDatabaseGetPropertiesResource), SqlDatabaseGetPropertiesOptions options = default(SqlDatabaseGetPropertiesOptions)) - : base(id, name, type, location, tags, identity) + public SqlDatabaseGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), SqlDatabaseGetPropertiesResource resource = default(SqlDatabaseGetPropertiesResource), SqlDatabaseGetPropertiesOptions options = default(SqlDatabaseGetPropertiesOptions)) + : base(id, name, type, location, tags) { Resource = resource; Options = options; diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlStoredProcedureCreateUpdateParameters.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlStoredProcedureCreateUpdateParameters.cs index cd97c6917830..b13c7c396913 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlStoredProcedureCreateUpdateParameters.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlStoredProcedureCreateUpdateParameters.cs @@ -47,8 +47,8 @@ public SqlStoredProcedureCreateUpdateParameters() /// A key-value pair of options to be applied for /// the request. This corresponds to the headers sent with the /// request. - public SqlStoredProcedureCreateUpdateParameters(SqlStoredProcedureResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), CreateUpdateOptions options = default(CreateUpdateOptions)) - : base(id, name, type, location, tags, identity) + public SqlStoredProcedureCreateUpdateParameters(SqlStoredProcedureResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), CreateUpdateOptions options = default(CreateUpdateOptions)) + : base(id, name, type, location, tags) { Resource = resource; Options = options; diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlStoredProcedureGetResults.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlStoredProcedureGetResults.cs index 1b063dd2ed33..68dccce67dd0 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlStoredProcedureGetResults.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlStoredProcedureGetResults.cs @@ -42,8 +42,8 @@ public SqlStoredProcedureGetResults() /// The type of Azure resource. /// The location of the resource group to which /// the resource belongs. - public SqlStoredProcedureGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), SqlStoredProcedureGetPropertiesResource resource = default(SqlStoredProcedureGetPropertiesResource)) - : base(id, name, type, location, tags, identity) + public SqlStoredProcedureGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), SqlStoredProcedureGetPropertiesResource resource = default(SqlStoredProcedureGetPropertiesResource)) + : base(id, name, type, location, tags) { Resource = resource; CustomInit(); diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlTriggerCreateUpdateParameters.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlTriggerCreateUpdateParameters.cs index 7ac04d324cbb..e9451beff436 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlTriggerCreateUpdateParameters.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlTriggerCreateUpdateParameters.cs @@ -47,8 +47,8 @@ public SqlTriggerCreateUpdateParameters() /// A key-value pair of options to be applied for /// the request. This corresponds to the headers sent with the /// request. - public SqlTriggerCreateUpdateParameters(SqlTriggerResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), CreateUpdateOptions options = default(CreateUpdateOptions)) - : base(id, name, type, location, tags, identity) + public SqlTriggerCreateUpdateParameters(SqlTriggerResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), CreateUpdateOptions options = default(CreateUpdateOptions)) + : base(id, name, type, location, tags) { Resource = resource; Options = options; diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlTriggerGetResults.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlTriggerGetResults.cs index d20c42181903..8d70e5394e16 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlTriggerGetResults.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlTriggerGetResults.cs @@ -40,8 +40,8 @@ public SqlTriggerGetResults() /// The type of Azure resource. /// The location of the resource group to which /// the resource belongs. - public SqlTriggerGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), SqlTriggerGetPropertiesResource resource = default(SqlTriggerGetPropertiesResource)) - : base(id, name, type, location, tags, identity) + public SqlTriggerGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), SqlTriggerGetPropertiesResource resource = default(SqlTriggerGetPropertiesResource)) + : base(id, name, type, location, tags) { Resource = resource; CustomInit(); diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlUserDefinedFunctionCreateUpdateParameters.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlUserDefinedFunctionCreateUpdateParameters.cs index b25a720088c0..786e1053a98d 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlUserDefinedFunctionCreateUpdateParameters.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlUserDefinedFunctionCreateUpdateParameters.cs @@ -47,8 +47,8 @@ public SqlUserDefinedFunctionCreateUpdateParameters() /// A key-value pair of options to be applied for /// the request. This corresponds to the headers sent with the /// request. - public SqlUserDefinedFunctionCreateUpdateParameters(SqlUserDefinedFunctionResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), CreateUpdateOptions options = default(CreateUpdateOptions)) - : base(id, name, type, location, tags, identity) + public SqlUserDefinedFunctionCreateUpdateParameters(SqlUserDefinedFunctionResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), CreateUpdateOptions options = default(CreateUpdateOptions)) + : base(id, name, type, location, tags) { Resource = resource; Options = options; diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlUserDefinedFunctionGetResults.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlUserDefinedFunctionGetResults.cs index e970fd6bfc15..0a076cb2cdfd 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlUserDefinedFunctionGetResults.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SqlUserDefinedFunctionGetResults.cs @@ -42,8 +42,8 @@ public SqlUserDefinedFunctionGetResults() /// The type of Azure resource. /// The location of the resource group to which /// the resource belongs. - public SqlUserDefinedFunctionGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), SqlUserDefinedFunctionGetPropertiesResource resource = default(SqlUserDefinedFunctionGetPropertiesResource)) - : base(id, name, type, location, tags, identity) + public SqlUserDefinedFunctionGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), SqlUserDefinedFunctionGetPropertiesResource resource = default(SqlUserDefinedFunctionGetPropertiesResource)) + : base(id, name, type, location, tags) { Resource = resource; CustomInit(); diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SystemData.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SystemData.cs deleted file mode 100644 index 9cb1fb8254a0..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/SystemData.cs +++ /dev/null @@ -1,103 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB.Models -{ - using Newtonsoft.Json; - using System.Linq; - - /// - /// Metadata pertaining to creation and last modification of the resource. - /// - public partial class SystemData - { - /// - /// Initializes a new instance of the SystemData class. - /// - public SystemData() - { - CustomInit(); - } - - /// - /// Initializes a new instance of the SystemData class. - /// - /// The identity that created the - /// resource. - /// The type of identity that created the - /// resource. Possible values include: 'User', 'Application', - /// 'ManagedIdentity', 'Key' - /// The timestamp of resource creation - /// (UTC). - /// The identity that last modified the - /// resource. - /// The type of identity that last - /// modified the resource. Possible values include: 'User', - /// 'Application', 'ManagedIdentity', 'Key' - /// The timestamp of resource last - /// modification (UTC) - public SystemData(string createdBy = default(string), string createdByType = default(string), System.DateTime? createdAt = default(System.DateTime?), string lastModifiedBy = default(string), string lastModifiedByType = default(string), System.DateTime? lastModifiedAt = default(System.DateTime?)) - { - CreatedBy = createdBy; - CreatedByType = createdByType; - CreatedAt = createdAt; - LastModifiedBy = lastModifiedBy; - LastModifiedByType = lastModifiedByType; - LastModifiedAt = lastModifiedAt; - CustomInit(); - } - - /// - /// An initialization method that performs custom operations like setting defaults - /// - partial void CustomInit(); - - /// - /// Gets or sets the identity that created the resource. - /// - [JsonProperty(PropertyName = "createdBy")] - public string CreatedBy { get; set; } - - /// - /// Gets or sets the type of identity that created the resource. - /// Possible values include: 'User', 'Application', 'ManagedIdentity', - /// 'Key' - /// - [JsonProperty(PropertyName = "createdByType")] - public string CreatedByType { get; set; } - - /// - /// Gets or sets the timestamp of resource creation (UTC). - /// - [JsonProperty(PropertyName = "createdAt")] - public System.DateTime? CreatedAt { get; set; } - - /// - /// Gets or sets the identity that last modified the resource. - /// - [JsonProperty(PropertyName = "lastModifiedBy")] - public string LastModifiedBy { get; set; } - - /// - /// Gets or sets the type of identity that last modified the resource. - /// Possible values include: 'User', 'Application', 'ManagedIdentity', - /// 'Key' - /// - [JsonProperty(PropertyName = "lastModifiedByType")] - public string LastModifiedByType { get; set; } - - /// - /// Gets or sets the timestamp of resource last modification (UTC) - /// - [JsonProperty(PropertyName = "lastModifiedAt")] - public System.DateTime? LastModifiedAt { get; set; } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/TableCreateUpdateParameters.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/TableCreateUpdateParameters.cs index d93b4b133a09..679b21504df4 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/TableCreateUpdateParameters.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/TableCreateUpdateParameters.cs @@ -46,8 +46,8 @@ public TableCreateUpdateParameters() /// A key-value pair of options to be applied for /// the request. This corresponds to the headers sent with the /// request. - public TableCreateUpdateParameters(TableResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), CreateUpdateOptions options = default(CreateUpdateOptions)) - : base(id, name, type, location, tags, identity) + public TableCreateUpdateParameters(TableResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), CreateUpdateOptions options = default(CreateUpdateOptions)) + : base(id, name, type, location, tags) { Resource = resource; Options = options; diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/TableGetResults.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/TableGetResults.cs index 738f708d7bb4..71b768ca4f6d 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/TableGetResults.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/TableGetResults.cs @@ -40,8 +40,8 @@ public TableGetResults() /// The type of Azure resource. /// The location of the resource group to which /// the resource belongs. - public TableGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), TableGetPropertiesResource resource = default(TableGetPropertiesResource), TableGetPropertiesOptions options = default(TableGetPropertiesOptions)) - : base(id, name, type, location, tags, identity) + public TableGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), TableGetPropertiesResource resource = default(TableGetPropertiesResource), TableGetPropertiesOptions options = default(TableGetPropertiesOptions)) + : base(id, name, type, location, tags) { Resource = resource; Options = options; diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ThroughputSettingsGetResults.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ThroughputSettingsGetResults.cs index 528d4e46f4a5..7c4e49c1aede 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ThroughputSettingsGetResults.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ThroughputSettingsGetResults.cs @@ -42,8 +42,8 @@ public ThroughputSettingsGetResults() /// The type of Azure resource. /// The location of the resource group to which /// the resource belongs. - public ThroughputSettingsGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity), ThroughputSettingsGetPropertiesResource resource = default(ThroughputSettingsGetPropertiesResource)) - : base(id, name, type, location, tags, identity) + public ThroughputSettingsGetResults(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ThroughputSettingsGetPropertiesResource resource = default(ThroughputSettingsGetPropertiesResource)) + : base(id, name, type, location, tags) { Resource = resource; CustomInit(); diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ThroughputSettingsUpdateParameters.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ThroughputSettingsUpdateParameters.cs index aec3a25b1353..80c6b622390d 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ThroughputSettingsUpdateParameters.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/Models/ThroughputSettingsUpdateParameters.cs @@ -44,8 +44,8 @@ public ThroughputSettingsUpdateParameters() /// The type of Azure resource. /// The location of the resource group to which /// the resource belongs. - public ThroughputSettingsUpdateParameters(ThroughputSettingsResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), ManagedServiceIdentity identity = default(ManagedServiceIdentity)) - : base(id, name, type, location, tags, identity) + public ThroughputSettingsUpdateParameters(ThroughputSettingsResource resource, string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary)) + : base(id, name, type, location, tags) { Resource = resource; CustomInit(); diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableDatabaseAccountsOperations.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableDatabaseAccountsOperations.cs deleted file mode 100644 index ff6c0c1e5ac1..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableDatabaseAccountsOperations.cs +++ /dev/null @@ -1,666 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using Newtonsoft.Json; - using System.Collections; - using System.Collections.Generic; - using System.Linq; - using System.Net; - using System.Net.Http; - using System.Threading; - using System.Threading.Tasks; - - /// - /// RestorableDatabaseAccountsOperations operations. - /// - internal partial class RestorableDatabaseAccountsOperations : IServiceOperations, IRestorableDatabaseAccountsOperations - { - /// - /// Initializes a new instance of the RestorableDatabaseAccountsOperations class. - /// - /// - /// Reference to the service client. - /// - /// - /// Thrown when a required parameter is null - /// - internal RestorableDatabaseAccountsOperations(CosmosDBManagementClient client) - { - if (client == null) - { - throw new System.ArgumentNullException("client"); - } - Client = client; - } - - /// - /// Gets a reference to the CosmosDBManagementClient - /// - public CosmosDBManagementClient Client { get; private set; } - - /// - /// Lists all the restorable Azure Cosmos DB database accounts available under - /// the subscription and in a region. This call requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/read' - /// permission. - /// - /// - /// Cosmos DB region, with spaces between words and each word capitalized. - /// - /// - /// Headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// A response object containing the response body and response headers. - /// - public async Task>> ListByLocationWithHttpMessagesAsync(string location, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - if (Client.ApiVersion == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); - } - if (Client.ApiVersion != null) - { - if (Client.ApiVersion.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.ApiVersion", 1); - } - } - if (Client.SubscriptionId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); - } - if (Client.SubscriptionId != null) - { - if (Client.SubscriptionId.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.SubscriptionId", 1); - } - } - if (location == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "location"); - } - // Tracing - bool _shouldTrace = ServiceClientTracing.IsEnabled; - string _invocationId = null; - if (_shouldTrace) - { - _invocationId = ServiceClientTracing.NextInvocationId.ToString(); - Dictionary tracingParameters = new Dictionary(); - tracingParameters.Add("location", location); - tracingParameters.Add("cancellationToken", cancellationToken); - ServiceClientTracing.Enter(_invocationId, this, "ListByLocation", tracingParameters); - } - // Construct URL - var _baseUrl = Client.BaseUri.AbsoluteUri; - var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/providers/Microsoft.DocumentDB/locations/{location}/restorableDatabaseAccounts").ToString(); - _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); - _url = _url.Replace("{location}", System.Uri.EscapeDataString(location)); - List _queryParameters = new List(); - if (Client.ApiVersion != null) - { - _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); - } - if (_queryParameters.Count > 0) - { - _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); - } - // Create HTTP transport objects - var _httpRequest = new HttpRequestMessage(); - HttpResponseMessage _httpResponse = null; - _httpRequest.Method = new HttpMethod("GET"); - _httpRequest.RequestUri = new System.Uri(_url); - // Set Headers - if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) - { - _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); - } - if (Client.AcceptLanguage != null) - { - if (_httpRequest.Headers.Contains("accept-language")) - { - _httpRequest.Headers.Remove("accept-language"); - } - _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); - } - - - if (customHeaders != null) - { - foreach(var _header in customHeaders) - { - if (_httpRequest.Headers.Contains(_header.Key)) - { - _httpRequest.Headers.Remove(_header.Key); - } - _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); - } - } - - // Serialize Request - string _requestContent = null; - // Set Credentials - if (Client.Credentials != null) - { - cancellationToken.ThrowIfCancellationRequested(); - await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - } - // Send Request - if (_shouldTrace) - { - ServiceClientTracing.SendRequest(_invocationId, _httpRequest); - } - cancellationToken.ThrowIfCancellationRequested(); - _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - if (_shouldTrace) - { - ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); - } - HttpStatusCode _statusCode = _httpResponse.StatusCode; - cancellationToken.ThrowIfCancellationRequested(); - string _responseContent = null; - if ((int)_statusCode != 200) - { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); - try - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - if (_errorBody != null) - { - ex = new CloudException(_errorBody.Message); - ex.Body = _errorBody; - } - } - catch (JsonException) - { - // Ignore the exception - } - ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); - ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Error(_invocationId, ex); - } - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw ex; - } - // Create Result - var _result = new AzureOperationResponse>(); - _result.Request = _httpRequest; - _result.Response = _httpResponse; - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - // Deserialize Response - if ((int)_statusCode == 200) - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - try - { - _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject>(_responseContent, Client.DeserializationSettings); - } - catch (JsonException ex) - { - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); - } - } - if (_shouldTrace) - { - ServiceClientTracing.Exit(_invocationId, _result); - } - return _result; - } - - /// - /// Lists all the restorable Azure Cosmos DB database accounts available under - /// the subscription. This call requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/read' - /// permission. - /// - /// - /// Headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// A response object containing the response body and response headers. - /// - public async Task>> ListWithHttpMessagesAsync(Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - if (Client.ApiVersion == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); - } - if (Client.ApiVersion != null) - { - if (Client.ApiVersion.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.ApiVersion", 1); - } - } - if (Client.SubscriptionId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); - } - if (Client.SubscriptionId != null) - { - if (Client.SubscriptionId.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.SubscriptionId", 1); - } - } - // Tracing - bool _shouldTrace = ServiceClientTracing.IsEnabled; - string _invocationId = null; - if (_shouldTrace) - { - _invocationId = ServiceClientTracing.NextInvocationId.ToString(); - Dictionary tracingParameters = new Dictionary(); - tracingParameters.Add("cancellationToken", cancellationToken); - ServiceClientTracing.Enter(_invocationId, this, "List", tracingParameters); - } - // Construct URL - var _baseUrl = Client.BaseUri.AbsoluteUri; - var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/providers/Microsoft.DocumentDB/restorableDatabaseAccounts").ToString(); - _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); - List _queryParameters = new List(); - if (Client.ApiVersion != null) - { - _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); - } - if (_queryParameters.Count > 0) - { - _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); - } - // Create HTTP transport objects - var _httpRequest = new HttpRequestMessage(); - HttpResponseMessage _httpResponse = null; - _httpRequest.Method = new HttpMethod("GET"); - _httpRequest.RequestUri = new System.Uri(_url); - // Set Headers - if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) - { - _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); - } - if (Client.AcceptLanguage != null) - { - if (_httpRequest.Headers.Contains("accept-language")) - { - _httpRequest.Headers.Remove("accept-language"); - } - _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); - } - - - if (customHeaders != null) - { - foreach(var _header in customHeaders) - { - if (_httpRequest.Headers.Contains(_header.Key)) - { - _httpRequest.Headers.Remove(_header.Key); - } - _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); - } - } - - // Serialize Request - string _requestContent = null; - // Set Credentials - if (Client.Credentials != null) - { - cancellationToken.ThrowIfCancellationRequested(); - await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - } - // Send Request - if (_shouldTrace) - { - ServiceClientTracing.SendRequest(_invocationId, _httpRequest); - } - cancellationToken.ThrowIfCancellationRequested(); - _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - if (_shouldTrace) - { - ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); - } - HttpStatusCode _statusCode = _httpResponse.StatusCode; - cancellationToken.ThrowIfCancellationRequested(); - string _responseContent = null; - if ((int)_statusCode != 200) - { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); - try - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - if (_errorBody != null) - { - ex = new CloudException(_errorBody.Message); - ex.Body = _errorBody; - } - } - catch (JsonException) - { - // Ignore the exception - } - ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); - ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Error(_invocationId, ex); - } - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw ex; - } - // Create Result - var _result = new AzureOperationResponse>(); - _result.Request = _httpRequest; - _result.Response = _httpResponse; - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - // Deserialize Response - if ((int)_statusCode == 200) - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - try - { - _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject>(_responseContent, Client.DeserializationSettings); - } - catch (JsonException ex) - { - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); - } - } - if (_shouldTrace) - { - ServiceClientTracing.Exit(_invocationId, _result); - } - return _result; - } - - /// - /// Retrieves the properties of an existing Azure Cosmos DB restorable database - /// account. This call requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/read/*' - /// permission. - /// - /// - /// Cosmos DB region, with spaces between words and each word capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - /// - /// Headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// A response object containing the response body and response headers. - /// - public async Task> GetByLocationWithHttpMessagesAsync(string location, string instanceId, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - if (Client.ApiVersion == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); - } - if (Client.ApiVersion != null) - { - if (Client.ApiVersion.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.ApiVersion", 1); - } - } - if (Client.SubscriptionId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); - } - if (Client.SubscriptionId != null) - { - if (Client.SubscriptionId.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.SubscriptionId", 1); - } - } - if (location == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "location"); - } - if (instanceId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "instanceId"); - } - // Tracing - bool _shouldTrace = ServiceClientTracing.IsEnabled; - string _invocationId = null; - if (_shouldTrace) - { - _invocationId = ServiceClientTracing.NextInvocationId.ToString(); - Dictionary tracingParameters = new Dictionary(); - tracingParameters.Add("location", location); - tracingParameters.Add("instanceId", instanceId); - tracingParameters.Add("cancellationToken", cancellationToken); - ServiceClientTracing.Enter(_invocationId, this, "GetByLocation", tracingParameters); - } - // Construct URL - var _baseUrl = Client.BaseUri.AbsoluteUri; - var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/providers/Microsoft.DocumentDB/locations/{location}/restorableDatabaseAccounts/{instanceId}").ToString(); - _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); - _url = _url.Replace("{location}", System.Uri.EscapeDataString(location)); - _url = _url.Replace("{instanceId}", System.Uri.EscapeDataString(instanceId)); - List _queryParameters = new List(); - if (Client.ApiVersion != null) - { - _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); - } - if (_queryParameters.Count > 0) - { - _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); - } - // Create HTTP transport objects - var _httpRequest = new HttpRequestMessage(); - HttpResponseMessage _httpResponse = null; - _httpRequest.Method = new HttpMethod("GET"); - _httpRequest.RequestUri = new System.Uri(_url); - // Set Headers - if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) - { - _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); - } - if (Client.AcceptLanguage != null) - { - if (_httpRequest.Headers.Contains("accept-language")) - { - _httpRequest.Headers.Remove("accept-language"); - } - _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); - } - - - if (customHeaders != null) - { - foreach(var _header in customHeaders) - { - if (_httpRequest.Headers.Contains(_header.Key)) - { - _httpRequest.Headers.Remove(_header.Key); - } - _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); - } - } - - // Serialize Request - string _requestContent = null; - // Set Credentials - if (Client.Credentials != null) - { - cancellationToken.ThrowIfCancellationRequested(); - await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - } - // Send Request - if (_shouldTrace) - { - ServiceClientTracing.SendRequest(_invocationId, _httpRequest); - } - cancellationToken.ThrowIfCancellationRequested(); - _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - if (_shouldTrace) - { - ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); - } - HttpStatusCode _statusCode = _httpResponse.StatusCode; - cancellationToken.ThrowIfCancellationRequested(); - string _responseContent = null; - if ((int)_statusCode != 200) - { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); - try - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - if (_errorBody != null) - { - ex = new CloudException(_errorBody.Message); - ex.Body = _errorBody; - } - } - catch (JsonException) - { - // Ignore the exception - } - ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); - ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Error(_invocationId, ex); - } - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw ex; - } - // Create Result - var _result = new AzureOperationResponse(); - _result.Request = _httpRequest; - _result.Response = _httpResponse; - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - // Deserialize Response - if ((int)_statusCode == 200) - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - try - { - _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - } - catch (JsonException ex) - { - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); - } - } - if (_shouldTrace) - { - ServiceClientTracing.Exit(_invocationId, _result); - } - return _result; - } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableDatabaseAccountsOperationsExtensions.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableDatabaseAccountsOperationsExtensions.cs deleted file mode 100644 index 3de1f9e51ec1..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableDatabaseAccountsOperationsExtensions.cs +++ /dev/null @@ -1,147 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using System.Collections; - using System.Collections.Generic; - using System.Threading; - using System.Threading.Tasks; - - /// - /// Extension methods for RestorableDatabaseAccountsOperations. - /// - public static partial class RestorableDatabaseAccountsOperationsExtensions - { - /// - /// Lists all the restorable Azure Cosmos DB database accounts available under - /// the subscription and in a region. This call requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/read' - /// permission. - /// - /// - /// The operations group for this extension method. - /// - /// - /// Cosmos DB region, with spaces between words and each word capitalized. - /// - public static IEnumerable ListByLocation(this IRestorableDatabaseAccountsOperations operations, string location) - { - return operations.ListByLocationAsync(location).GetAwaiter().GetResult(); - } - - /// - /// Lists all the restorable Azure Cosmos DB database accounts available under - /// the subscription and in a region. This call requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/read' - /// permission. - /// - /// - /// The operations group for this extension method. - /// - /// - /// Cosmos DB region, with spaces between words and each word capitalized. - /// - /// - /// The cancellation token. - /// - public static async Task> ListByLocationAsync(this IRestorableDatabaseAccountsOperations operations, string location, CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.ListByLocationWithHttpMessagesAsync(location, null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - /// - /// Lists all the restorable Azure Cosmos DB database accounts available under - /// the subscription. This call requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/read' - /// permission. - /// - /// - /// The operations group for this extension method. - /// - public static IEnumerable List(this IRestorableDatabaseAccountsOperations operations) - { - return operations.ListAsync().GetAwaiter().GetResult(); - } - - /// - /// Lists all the restorable Azure Cosmos DB database accounts available under - /// the subscription. This call requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/read' - /// permission. - /// - /// - /// The operations group for this extension method. - /// - /// - /// The cancellation token. - /// - public static async Task> ListAsync(this IRestorableDatabaseAccountsOperations operations, CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.ListWithHttpMessagesAsync(null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - /// - /// Retrieves the properties of an existing Azure Cosmos DB restorable database - /// account. This call requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/read/*' - /// permission. - /// - /// - /// The operations group for this extension method. - /// - /// - /// Cosmos DB region, with spaces between words and each word capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - public static RestorableDatabaseAccountGetResult GetByLocation(this IRestorableDatabaseAccountsOperations operations, string location, string instanceId) - { - return operations.GetByLocationAsync(location, instanceId).GetAwaiter().GetResult(); - } - - /// - /// Retrieves the properties of an existing Azure Cosmos DB restorable database - /// account. This call requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/read/*' - /// permission. - /// - /// - /// The operations group for this extension method. - /// - /// - /// Cosmos DB region, with spaces between words and each word capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - /// - /// The cancellation token. - /// - public static async Task GetByLocationAsync(this IRestorableDatabaseAccountsOperations operations, string location, string instanceId, CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.GetByLocationWithHttpMessagesAsync(location, instanceId, null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableMongodbCollectionsOperations.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableMongodbCollectionsOperations.cs deleted file mode 100644 index d2ba923127ec..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableMongodbCollectionsOperations.cs +++ /dev/null @@ -1,276 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using Newtonsoft.Json; - using System.Collections; - using System.Collections.Generic; - using System.Linq; - using System.Net; - using System.Net.Http; - using System.Threading; - using System.Threading.Tasks; - - /// - /// RestorableMongodbCollectionsOperations operations. - /// - internal partial class RestorableMongodbCollectionsOperations : IServiceOperations, IRestorableMongodbCollectionsOperations - { - /// - /// Initializes a new instance of the RestorableMongodbCollectionsOperations class. - /// - /// - /// Reference to the service client. - /// - /// - /// Thrown when a required parameter is null - /// - internal RestorableMongodbCollectionsOperations(CosmosDBManagementClient client) - { - if (client == null) - { - throw new System.ArgumentNullException("client"); - } - Client = client; - } - - /// - /// Gets a reference to the CosmosDBManagementClient - /// - public CosmosDBManagementClient Client { get; private set; } - - /// - /// Show the event feed of all mutations done on all the Azure Cosmos DB - /// MongoDB collections under a specific database. This helps in scenario - /// where container was accidentally deleted. This API requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/.../read' - /// permission - /// - /// - /// Cosmos DB region, with spaces between words and each word capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - /// - /// The resource ID of the MongoDB database. - /// - /// - /// Headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// A response object containing the response body and response headers. - /// - public async Task>> ListWithHttpMessagesAsync(string location, string instanceId, string restorableMongodbDatabaseRid = default(string), Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - if (Client.ApiVersion == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); - } - if (Client.ApiVersion != null) - { - if (Client.ApiVersion.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.ApiVersion", 1); - } - } - if (Client.SubscriptionId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); - } - if (Client.SubscriptionId != null) - { - if (Client.SubscriptionId.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.SubscriptionId", 1); - } - } - if (location == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "location"); - } - if (instanceId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "instanceId"); - } - // Tracing - bool _shouldTrace = ServiceClientTracing.IsEnabled; - string _invocationId = null; - if (_shouldTrace) - { - _invocationId = ServiceClientTracing.NextInvocationId.ToString(); - Dictionary tracingParameters = new Dictionary(); - tracingParameters.Add("location", location); - tracingParameters.Add("instanceId", instanceId); - tracingParameters.Add("restorableMongodbDatabaseRid", restorableMongodbDatabaseRid); - tracingParameters.Add("cancellationToken", cancellationToken); - ServiceClientTracing.Enter(_invocationId, this, "List", tracingParameters); - } - // Construct URL - var _baseUrl = Client.BaseUri.AbsoluteUri; - var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/providers/Microsoft.DocumentDB/locations/{location}/restorableDatabaseAccounts/{instanceId}/restorableMongodbCollections").ToString(); - _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); - _url = _url.Replace("{location}", System.Uri.EscapeDataString(location)); - _url = _url.Replace("{instanceId}", System.Uri.EscapeDataString(instanceId)); - List _queryParameters = new List(); - if (Client.ApiVersion != null) - { - _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); - } - if (restorableMongodbDatabaseRid != null) - { - _queryParameters.Add(string.Format("restorableMongodbDatabaseRid={0}", System.Uri.EscapeDataString(restorableMongodbDatabaseRid))); - } - if (_queryParameters.Count > 0) - { - _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); - } - // Create HTTP transport objects - var _httpRequest = new HttpRequestMessage(); - HttpResponseMessage _httpResponse = null; - _httpRequest.Method = new HttpMethod("GET"); - _httpRequest.RequestUri = new System.Uri(_url); - // Set Headers - if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) - { - _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); - } - if (Client.AcceptLanguage != null) - { - if (_httpRequest.Headers.Contains("accept-language")) - { - _httpRequest.Headers.Remove("accept-language"); - } - _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); - } - - - if (customHeaders != null) - { - foreach(var _header in customHeaders) - { - if (_httpRequest.Headers.Contains(_header.Key)) - { - _httpRequest.Headers.Remove(_header.Key); - } - _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); - } - } - - // Serialize Request - string _requestContent = null; - // Set Credentials - if (Client.Credentials != null) - { - cancellationToken.ThrowIfCancellationRequested(); - await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - } - // Send Request - if (_shouldTrace) - { - ServiceClientTracing.SendRequest(_invocationId, _httpRequest); - } - cancellationToken.ThrowIfCancellationRequested(); - _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - if (_shouldTrace) - { - ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); - } - HttpStatusCode _statusCode = _httpResponse.StatusCode; - cancellationToken.ThrowIfCancellationRequested(); - string _responseContent = null; - if ((int)_statusCode != 200) - { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); - try - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - if (_errorBody != null) - { - ex = new CloudException(_errorBody.Message); - ex.Body = _errorBody; - } - } - catch (JsonException) - { - // Ignore the exception - } - ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); - ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Error(_invocationId, ex); - } - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw ex; - } - // Create Result - var _result = new AzureOperationResponse>(); - _result.Request = _httpRequest; - _result.Response = _httpResponse; - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - // Deserialize Response - if ((int)_statusCode == 200) - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - try - { - _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject>(_responseContent, Client.DeserializationSettings); - } - catch (JsonException ex) - { - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); - } - } - if (_shouldTrace) - { - ServiceClientTracing.Exit(_invocationId, _result); - } - return _result; - } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableMongodbCollectionsOperationsExtensions.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableMongodbCollectionsOperationsExtensions.cs deleted file mode 100644 index 65d92af706a9..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableMongodbCollectionsOperationsExtensions.cs +++ /dev/null @@ -1,81 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using System.Collections; - using System.Collections.Generic; - using System.Threading; - using System.Threading.Tasks; - - /// - /// Extension methods for RestorableMongodbCollectionsOperations. - /// - public static partial class RestorableMongodbCollectionsOperationsExtensions - { - /// - /// Show the event feed of all mutations done on all the Azure Cosmos DB - /// MongoDB collections under a specific database. This helps in scenario - /// where container was accidentally deleted. This API requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/.../read' - /// permission - /// - /// - /// The operations group for this extension method. - /// - /// - /// Cosmos DB region, with spaces between words and each word capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - /// - /// The resource ID of the MongoDB database. - /// - public static IEnumerable List(this IRestorableMongodbCollectionsOperations operations, string location, string instanceId, string restorableMongodbDatabaseRid = default(string)) - { - return operations.ListAsync(location, instanceId, restorableMongodbDatabaseRid).GetAwaiter().GetResult(); - } - - /// - /// Show the event feed of all mutations done on all the Azure Cosmos DB - /// MongoDB collections under a specific database. This helps in scenario - /// where container was accidentally deleted. This API requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/.../read' - /// permission - /// - /// - /// The operations group for this extension method. - /// - /// - /// Cosmos DB region, with spaces between words and each word capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - /// - /// The resource ID of the MongoDB database. - /// - /// - /// The cancellation token. - /// - public static async Task> ListAsync(this IRestorableMongodbCollectionsOperations operations, string location, string instanceId, string restorableMongodbDatabaseRid = default(string), CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.ListWithHttpMessagesAsync(location, instanceId, restorableMongodbDatabaseRid, null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableMongodbDatabasesOperations.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableMongodbDatabasesOperations.cs deleted file mode 100644 index 873426f77faf..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableMongodbDatabasesOperations.cs +++ /dev/null @@ -1,269 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using Newtonsoft.Json; - using System.Collections; - using System.Collections.Generic; - using System.Linq; - using System.Net; - using System.Net.Http; - using System.Threading; - using System.Threading.Tasks; - - /// - /// RestorableMongodbDatabasesOperations operations. - /// - internal partial class RestorableMongodbDatabasesOperations : IServiceOperations, IRestorableMongodbDatabasesOperations - { - /// - /// Initializes a new instance of the RestorableMongodbDatabasesOperations class. - /// - /// - /// Reference to the service client. - /// - /// - /// Thrown when a required parameter is null - /// - internal RestorableMongodbDatabasesOperations(CosmosDBManagementClient client) - { - if (client == null) - { - throw new System.ArgumentNullException("client"); - } - Client = client; - } - - /// - /// Gets a reference to the CosmosDBManagementClient - /// - public CosmosDBManagementClient Client { get; private set; } - - /// - /// Show the event feed of all mutations done on all the Azure Cosmos DB - /// MongoDB databases under the restorable account. This helps in scenario - /// where database was accidentally deleted to get the deletion time. This API - /// requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/.../read' - /// permission - /// - /// - /// Cosmos DB region, with spaces between words and each word capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - /// - /// Headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// A response object containing the response body and response headers. - /// - public async Task>> ListWithHttpMessagesAsync(string location, string instanceId, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - if (Client.ApiVersion == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); - } - if (Client.ApiVersion != null) - { - if (Client.ApiVersion.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.ApiVersion", 1); - } - } - if (Client.SubscriptionId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); - } - if (Client.SubscriptionId != null) - { - if (Client.SubscriptionId.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.SubscriptionId", 1); - } - } - if (location == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "location"); - } - if (instanceId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "instanceId"); - } - // Tracing - bool _shouldTrace = ServiceClientTracing.IsEnabled; - string _invocationId = null; - if (_shouldTrace) - { - _invocationId = ServiceClientTracing.NextInvocationId.ToString(); - Dictionary tracingParameters = new Dictionary(); - tracingParameters.Add("location", location); - tracingParameters.Add("instanceId", instanceId); - tracingParameters.Add("cancellationToken", cancellationToken); - ServiceClientTracing.Enter(_invocationId, this, "List", tracingParameters); - } - // Construct URL - var _baseUrl = Client.BaseUri.AbsoluteUri; - var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/providers/Microsoft.DocumentDB/locations/{location}/restorableDatabaseAccounts/{instanceId}/restorableMongodbDatabases").ToString(); - _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); - _url = _url.Replace("{location}", System.Uri.EscapeDataString(location)); - _url = _url.Replace("{instanceId}", System.Uri.EscapeDataString(instanceId)); - List _queryParameters = new List(); - if (Client.ApiVersion != null) - { - _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); - } - if (_queryParameters.Count > 0) - { - _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); - } - // Create HTTP transport objects - var _httpRequest = new HttpRequestMessage(); - HttpResponseMessage _httpResponse = null; - _httpRequest.Method = new HttpMethod("GET"); - _httpRequest.RequestUri = new System.Uri(_url); - // Set Headers - if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) - { - _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); - } - if (Client.AcceptLanguage != null) - { - if (_httpRequest.Headers.Contains("accept-language")) - { - _httpRequest.Headers.Remove("accept-language"); - } - _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); - } - - - if (customHeaders != null) - { - foreach(var _header in customHeaders) - { - if (_httpRequest.Headers.Contains(_header.Key)) - { - _httpRequest.Headers.Remove(_header.Key); - } - _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); - } - } - - // Serialize Request - string _requestContent = null; - // Set Credentials - if (Client.Credentials != null) - { - cancellationToken.ThrowIfCancellationRequested(); - await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - } - // Send Request - if (_shouldTrace) - { - ServiceClientTracing.SendRequest(_invocationId, _httpRequest); - } - cancellationToken.ThrowIfCancellationRequested(); - _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - if (_shouldTrace) - { - ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); - } - HttpStatusCode _statusCode = _httpResponse.StatusCode; - cancellationToken.ThrowIfCancellationRequested(); - string _responseContent = null; - if ((int)_statusCode != 200) - { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); - try - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - if (_errorBody != null) - { - ex = new CloudException(_errorBody.Message); - ex.Body = _errorBody; - } - } - catch (JsonException) - { - // Ignore the exception - } - ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); - ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Error(_invocationId, ex); - } - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw ex; - } - // Create Result - var _result = new AzureOperationResponse>(); - _result.Request = _httpRequest; - _result.Response = _httpResponse; - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - // Deserialize Response - if ((int)_statusCode == 200) - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - try - { - _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject>(_responseContent, Client.DeserializationSettings); - } - catch (JsonException ex) - { - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); - } - } - if (_shouldTrace) - { - ServiceClientTracing.Exit(_invocationId, _result); - } - return _result; - } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableMongodbDatabasesOperationsExtensions.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableMongodbDatabasesOperationsExtensions.cs deleted file mode 100644 index 60d7154789b1..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableMongodbDatabasesOperationsExtensions.cs +++ /dev/null @@ -1,77 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using System.Collections; - using System.Collections.Generic; - using System.Threading; - using System.Threading.Tasks; - - /// - /// Extension methods for RestorableMongodbDatabasesOperations. - /// - public static partial class RestorableMongodbDatabasesOperationsExtensions - { - /// - /// Show the event feed of all mutations done on all the Azure Cosmos DB - /// MongoDB databases under the restorable account. This helps in scenario - /// where database was accidentally deleted to get the deletion time. This API - /// requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/.../read' - /// permission - /// - /// - /// The operations group for this extension method. - /// - /// - /// Cosmos DB region, with spaces between words and each word capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - public static IEnumerable List(this IRestorableMongodbDatabasesOperations operations, string location, string instanceId) - { - return operations.ListAsync(location, instanceId).GetAwaiter().GetResult(); - } - - /// - /// Show the event feed of all mutations done on all the Azure Cosmos DB - /// MongoDB databases under the restorable account. This helps in scenario - /// where database was accidentally deleted to get the deletion time. This API - /// requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/.../read' - /// permission - /// - /// - /// The operations group for this extension method. - /// - /// - /// Cosmos DB region, with spaces between words and each word capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - /// - /// The cancellation token. - /// - public static async Task> ListAsync(this IRestorableMongodbDatabasesOperations operations, string location, string instanceId, CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.ListWithHttpMessagesAsync(location, instanceId, null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableMongodbResourcesOperations.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableMongodbResourcesOperations.cs deleted file mode 100644 index 2ee2f8209e4f..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableMongodbResourcesOperations.cs +++ /dev/null @@ -1,284 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using Newtonsoft.Json; - using System.Collections; - using System.Collections.Generic; - using System.Linq; - using System.Net; - using System.Net.Http; - using System.Threading; - using System.Threading.Tasks; - - /// - /// RestorableMongodbResourcesOperations operations. - /// - internal partial class RestorableMongodbResourcesOperations : IServiceOperations, IRestorableMongodbResourcesOperations - { - /// - /// Initializes a new instance of the RestorableMongodbResourcesOperations class. - /// - /// - /// Reference to the service client. - /// - /// - /// Thrown when a required parameter is null - /// - internal RestorableMongodbResourcesOperations(CosmosDBManagementClient client) - { - if (client == null) - { - throw new System.ArgumentNullException("client"); - } - Client = client; - } - - /// - /// Gets a reference to the CosmosDBManagementClient - /// - public CosmosDBManagementClient Client { get; private set; } - - /// - /// Return a list of database and collection combo that exist on the account at - /// the given timestamp and location. This helps in scenarios to validate what - /// resources exist at given timestamp and location. This API requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/.../read' - /// permission. - /// - /// - /// Cosmos DB region, with spaces between words and each word capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - /// - /// The location where the restorable resources are located. - /// - /// - /// The timestamp when the restorable resources existed. - /// - /// - /// Headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// A response object containing the response body and response headers. - /// - public async Task>> ListWithHttpMessagesAsync(string location, string instanceId, string restoreLocation = default(string), string restoreTimestampInUtc = default(string), Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - if (Client.ApiVersion == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); - } - if (Client.ApiVersion != null) - { - if (Client.ApiVersion.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.ApiVersion", 1); - } - } - if (Client.SubscriptionId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); - } - if (Client.SubscriptionId != null) - { - if (Client.SubscriptionId.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.SubscriptionId", 1); - } - } - if (location == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "location"); - } - if (instanceId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "instanceId"); - } - // Tracing - bool _shouldTrace = ServiceClientTracing.IsEnabled; - string _invocationId = null; - if (_shouldTrace) - { - _invocationId = ServiceClientTracing.NextInvocationId.ToString(); - Dictionary tracingParameters = new Dictionary(); - tracingParameters.Add("location", location); - tracingParameters.Add("instanceId", instanceId); - tracingParameters.Add("restoreLocation", restoreLocation); - tracingParameters.Add("restoreTimestampInUtc", restoreTimestampInUtc); - tracingParameters.Add("cancellationToken", cancellationToken); - ServiceClientTracing.Enter(_invocationId, this, "List", tracingParameters); - } - // Construct URL - var _baseUrl = Client.BaseUri.AbsoluteUri; - var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/providers/Microsoft.DocumentDB/locations/{location}/restorableDatabaseAccounts/{instanceId}/restorableMongodbResources").ToString(); - _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); - _url = _url.Replace("{location}", System.Uri.EscapeDataString(location)); - _url = _url.Replace("{instanceId}", System.Uri.EscapeDataString(instanceId)); - List _queryParameters = new List(); - if (Client.ApiVersion != null) - { - _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); - } - if (restoreLocation != null) - { - _queryParameters.Add(string.Format("restoreLocation={0}", System.Uri.EscapeDataString(restoreLocation))); - } - if (restoreTimestampInUtc != null) - { - _queryParameters.Add(string.Format("restoreTimestampInUtc={0}", System.Uri.EscapeDataString(restoreTimestampInUtc))); - } - if (_queryParameters.Count > 0) - { - _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); - } - // Create HTTP transport objects - var _httpRequest = new HttpRequestMessage(); - HttpResponseMessage _httpResponse = null; - _httpRequest.Method = new HttpMethod("GET"); - _httpRequest.RequestUri = new System.Uri(_url); - // Set Headers - if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) - { - _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); - } - if (Client.AcceptLanguage != null) - { - if (_httpRequest.Headers.Contains("accept-language")) - { - _httpRequest.Headers.Remove("accept-language"); - } - _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); - } - - - if (customHeaders != null) - { - foreach(var _header in customHeaders) - { - if (_httpRequest.Headers.Contains(_header.Key)) - { - _httpRequest.Headers.Remove(_header.Key); - } - _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); - } - } - - // Serialize Request - string _requestContent = null; - // Set Credentials - if (Client.Credentials != null) - { - cancellationToken.ThrowIfCancellationRequested(); - await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - } - // Send Request - if (_shouldTrace) - { - ServiceClientTracing.SendRequest(_invocationId, _httpRequest); - } - cancellationToken.ThrowIfCancellationRequested(); - _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - if (_shouldTrace) - { - ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); - } - HttpStatusCode _statusCode = _httpResponse.StatusCode; - cancellationToken.ThrowIfCancellationRequested(); - string _responseContent = null; - if ((int)_statusCode != 200) - { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); - try - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - if (_errorBody != null) - { - ex = new CloudException(_errorBody.Message); - ex.Body = _errorBody; - } - } - catch (JsonException) - { - // Ignore the exception - } - ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); - ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Error(_invocationId, ex); - } - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw ex; - } - // Create Result - var _result = new AzureOperationResponse>(); - _result.Request = _httpRequest; - _result.Response = _httpResponse; - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - // Deserialize Response - if ((int)_statusCode == 200) - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - try - { - _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject>(_responseContent, Client.DeserializationSettings); - } - catch (JsonException ex) - { - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); - } - } - if (_shouldTrace) - { - ServiceClientTracing.Exit(_invocationId, _result); - } - return _result; - } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableMongodbResourcesOperationsExtensions.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableMongodbResourcesOperationsExtensions.cs deleted file mode 100644 index 52725d0a663c..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableMongodbResourcesOperationsExtensions.cs +++ /dev/null @@ -1,87 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using System.Collections; - using System.Collections.Generic; - using System.Threading; - using System.Threading.Tasks; - - /// - /// Extension methods for RestorableMongodbResourcesOperations. - /// - public static partial class RestorableMongodbResourcesOperationsExtensions - { - /// - /// Return a list of database and collection combo that exist on the account at - /// the given timestamp and location. This helps in scenarios to validate what - /// resources exist at given timestamp and location. This API requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/.../read' - /// permission. - /// - /// - /// The operations group for this extension method. - /// - /// - /// Cosmos DB region, with spaces between words and each word capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - /// - /// The location where the restorable resources are located. - /// - /// - /// The timestamp when the restorable resources existed. - /// - public static IEnumerable List(this IRestorableMongodbResourcesOperations operations, string location, string instanceId, string restoreLocation = default(string), string restoreTimestampInUtc = default(string)) - { - return operations.ListAsync(location, instanceId, restoreLocation, restoreTimestampInUtc).GetAwaiter().GetResult(); - } - - /// - /// Return a list of database and collection combo that exist on the account at - /// the given timestamp and location. This helps in scenarios to validate what - /// resources exist at given timestamp and location. This API requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/.../read' - /// permission. - /// - /// - /// The operations group for this extension method. - /// - /// - /// Cosmos DB region, with spaces between words and each word capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - /// - /// The location where the restorable resources are located. - /// - /// - /// The timestamp when the restorable resources existed. - /// - /// - /// The cancellation token. - /// - public static async Task> ListAsync(this IRestorableMongodbResourcesOperations operations, string location, string instanceId, string restoreLocation = default(string), string restoreTimestampInUtc = default(string), CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.ListWithHttpMessagesAsync(location, instanceId, restoreLocation, restoreTimestampInUtc, null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableSqlContainersOperations.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableSqlContainersOperations.cs deleted file mode 100644 index 7e14a087962b..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableSqlContainersOperations.cs +++ /dev/null @@ -1,276 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using Newtonsoft.Json; - using System.Collections; - using System.Collections.Generic; - using System.Linq; - using System.Net; - using System.Net.Http; - using System.Threading; - using System.Threading.Tasks; - - /// - /// RestorableSqlContainersOperations operations. - /// - internal partial class RestorableSqlContainersOperations : IServiceOperations, IRestorableSqlContainersOperations - { - /// - /// Initializes a new instance of the RestorableSqlContainersOperations class. - /// - /// - /// Reference to the service client. - /// - /// - /// Thrown when a required parameter is null - /// - internal RestorableSqlContainersOperations(CosmosDBManagementClient client) - { - if (client == null) - { - throw new System.ArgumentNullException("client"); - } - Client = client; - } - - /// - /// Gets a reference to the CosmosDBManagementClient - /// - public CosmosDBManagementClient Client { get; private set; } - - /// - /// Show the event feed of all mutations done on all the Azure Cosmos DB SQL - /// containers under a specific database. This helps in scenario where - /// container was accidentally deleted. This API requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/.../read' - /// permission - /// - /// - /// Cosmos DB region, with spaces between words and each word capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - /// - /// The resource ID of the SQL database. - /// - /// - /// Headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// A response object containing the response body and response headers. - /// - public async Task>> ListWithHttpMessagesAsync(string location, string instanceId, string restorableSqlDatabaseRid = default(string), Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - if (Client.ApiVersion == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); - } - if (Client.ApiVersion != null) - { - if (Client.ApiVersion.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.ApiVersion", 1); - } - } - if (Client.SubscriptionId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); - } - if (Client.SubscriptionId != null) - { - if (Client.SubscriptionId.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.SubscriptionId", 1); - } - } - if (location == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "location"); - } - if (instanceId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "instanceId"); - } - // Tracing - bool _shouldTrace = ServiceClientTracing.IsEnabled; - string _invocationId = null; - if (_shouldTrace) - { - _invocationId = ServiceClientTracing.NextInvocationId.ToString(); - Dictionary tracingParameters = new Dictionary(); - tracingParameters.Add("location", location); - tracingParameters.Add("instanceId", instanceId); - tracingParameters.Add("restorableSqlDatabaseRid", restorableSqlDatabaseRid); - tracingParameters.Add("cancellationToken", cancellationToken); - ServiceClientTracing.Enter(_invocationId, this, "List", tracingParameters); - } - // Construct URL - var _baseUrl = Client.BaseUri.AbsoluteUri; - var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/providers/Microsoft.DocumentDB/locations/{location}/restorableDatabaseAccounts/{instanceId}/restorableSqlContainers").ToString(); - _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); - _url = _url.Replace("{location}", System.Uri.EscapeDataString(location)); - _url = _url.Replace("{instanceId}", System.Uri.EscapeDataString(instanceId)); - List _queryParameters = new List(); - if (Client.ApiVersion != null) - { - _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); - } - if (restorableSqlDatabaseRid != null) - { - _queryParameters.Add(string.Format("restorableSqlDatabaseRid={0}", System.Uri.EscapeDataString(restorableSqlDatabaseRid))); - } - if (_queryParameters.Count > 0) - { - _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); - } - // Create HTTP transport objects - var _httpRequest = new HttpRequestMessage(); - HttpResponseMessage _httpResponse = null; - _httpRequest.Method = new HttpMethod("GET"); - _httpRequest.RequestUri = new System.Uri(_url); - // Set Headers - if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) - { - _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); - } - if (Client.AcceptLanguage != null) - { - if (_httpRequest.Headers.Contains("accept-language")) - { - _httpRequest.Headers.Remove("accept-language"); - } - _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); - } - - - if (customHeaders != null) - { - foreach(var _header in customHeaders) - { - if (_httpRequest.Headers.Contains(_header.Key)) - { - _httpRequest.Headers.Remove(_header.Key); - } - _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); - } - } - - // Serialize Request - string _requestContent = null; - // Set Credentials - if (Client.Credentials != null) - { - cancellationToken.ThrowIfCancellationRequested(); - await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - } - // Send Request - if (_shouldTrace) - { - ServiceClientTracing.SendRequest(_invocationId, _httpRequest); - } - cancellationToken.ThrowIfCancellationRequested(); - _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - if (_shouldTrace) - { - ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); - } - HttpStatusCode _statusCode = _httpResponse.StatusCode; - cancellationToken.ThrowIfCancellationRequested(); - string _responseContent = null; - if ((int)_statusCode != 200) - { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); - try - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - if (_errorBody != null) - { - ex = new CloudException(_errorBody.Message); - ex.Body = _errorBody; - } - } - catch (JsonException) - { - // Ignore the exception - } - ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); - ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Error(_invocationId, ex); - } - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw ex; - } - // Create Result - var _result = new AzureOperationResponse>(); - _result.Request = _httpRequest; - _result.Response = _httpResponse; - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - // Deserialize Response - if ((int)_statusCode == 200) - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - try - { - _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject>(_responseContent, Client.DeserializationSettings); - } - catch (JsonException ex) - { - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); - } - } - if (_shouldTrace) - { - ServiceClientTracing.Exit(_invocationId, _result); - } - return _result; - } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableSqlContainersOperationsExtensions.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableSqlContainersOperationsExtensions.cs deleted file mode 100644 index 6b98140ad858..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableSqlContainersOperationsExtensions.cs +++ /dev/null @@ -1,81 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using System.Collections; - using System.Collections.Generic; - using System.Threading; - using System.Threading.Tasks; - - /// - /// Extension methods for RestorableSqlContainersOperations. - /// - public static partial class RestorableSqlContainersOperationsExtensions - { - /// - /// Show the event feed of all mutations done on all the Azure Cosmos DB SQL - /// containers under a specific database. This helps in scenario where - /// container was accidentally deleted. This API requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/.../read' - /// permission - /// - /// - /// The operations group for this extension method. - /// - /// - /// Cosmos DB region, with spaces between words and each word capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - /// - /// The resource ID of the SQL database. - /// - public static IEnumerable List(this IRestorableSqlContainersOperations operations, string location, string instanceId, string restorableSqlDatabaseRid = default(string)) - { - return operations.ListAsync(location, instanceId, restorableSqlDatabaseRid).GetAwaiter().GetResult(); - } - - /// - /// Show the event feed of all mutations done on all the Azure Cosmos DB SQL - /// containers under a specific database. This helps in scenario where - /// container was accidentally deleted. This API requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/.../read' - /// permission - /// - /// - /// The operations group for this extension method. - /// - /// - /// Cosmos DB region, with spaces between words and each word capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - /// - /// The resource ID of the SQL database. - /// - /// - /// The cancellation token. - /// - public static async Task> ListAsync(this IRestorableSqlContainersOperations operations, string location, string instanceId, string restorableSqlDatabaseRid = default(string), CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.ListWithHttpMessagesAsync(location, instanceId, restorableSqlDatabaseRid, null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableSqlDatabasesOperations.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableSqlDatabasesOperations.cs deleted file mode 100644 index db23ce64f1b8..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableSqlDatabasesOperations.cs +++ /dev/null @@ -1,269 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using Newtonsoft.Json; - using System.Collections; - using System.Collections.Generic; - using System.Linq; - using System.Net; - using System.Net.Http; - using System.Threading; - using System.Threading.Tasks; - - /// - /// RestorableSqlDatabasesOperations operations. - /// - internal partial class RestorableSqlDatabasesOperations : IServiceOperations, IRestorableSqlDatabasesOperations - { - /// - /// Initializes a new instance of the RestorableSqlDatabasesOperations class. - /// - /// - /// Reference to the service client. - /// - /// - /// Thrown when a required parameter is null - /// - internal RestorableSqlDatabasesOperations(CosmosDBManagementClient client) - { - if (client == null) - { - throw new System.ArgumentNullException("client"); - } - Client = client; - } - - /// - /// Gets a reference to the CosmosDBManagementClient - /// - public CosmosDBManagementClient Client { get; private set; } - - /// - /// Show the event feed of all mutations done on all the Azure Cosmos DB SQL - /// databases under the restorable account. This helps in scenario where - /// database was accidentally deleted to get the deletion time. This API - /// requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/.../read' - /// permission - /// - /// - /// Cosmos DB region, with spaces between words and each word capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - /// - /// Headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// A response object containing the response body and response headers. - /// - public async Task>> ListWithHttpMessagesAsync(string location, string instanceId, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - if (Client.ApiVersion == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); - } - if (Client.ApiVersion != null) - { - if (Client.ApiVersion.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.ApiVersion", 1); - } - } - if (Client.SubscriptionId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); - } - if (Client.SubscriptionId != null) - { - if (Client.SubscriptionId.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.SubscriptionId", 1); - } - } - if (location == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "location"); - } - if (instanceId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "instanceId"); - } - // Tracing - bool _shouldTrace = ServiceClientTracing.IsEnabled; - string _invocationId = null; - if (_shouldTrace) - { - _invocationId = ServiceClientTracing.NextInvocationId.ToString(); - Dictionary tracingParameters = new Dictionary(); - tracingParameters.Add("location", location); - tracingParameters.Add("instanceId", instanceId); - tracingParameters.Add("cancellationToken", cancellationToken); - ServiceClientTracing.Enter(_invocationId, this, "List", tracingParameters); - } - // Construct URL - var _baseUrl = Client.BaseUri.AbsoluteUri; - var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/providers/Microsoft.DocumentDB/locations/{location}/restorableDatabaseAccounts/{instanceId}/restorableSqlDatabases").ToString(); - _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); - _url = _url.Replace("{location}", System.Uri.EscapeDataString(location)); - _url = _url.Replace("{instanceId}", System.Uri.EscapeDataString(instanceId)); - List _queryParameters = new List(); - if (Client.ApiVersion != null) - { - _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); - } - if (_queryParameters.Count > 0) - { - _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); - } - // Create HTTP transport objects - var _httpRequest = new HttpRequestMessage(); - HttpResponseMessage _httpResponse = null; - _httpRequest.Method = new HttpMethod("GET"); - _httpRequest.RequestUri = new System.Uri(_url); - // Set Headers - if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) - { - _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); - } - if (Client.AcceptLanguage != null) - { - if (_httpRequest.Headers.Contains("accept-language")) - { - _httpRequest.Headers.Remove("accept-language"); - } - _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); - } - - - if (customHeaders != null) - { - foreach(var _header in customHeaders) - { - if (_httpRequest.Headers.Contains(_header.Key)) - { - _httpRequest.Headers.Remove(_header.Key); - } - _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); - } - } - - // Serialize Request - string _requestContent = null; - // Set Credentials - if (Client.Credentials != null) - { - cancellationToken.ThrowIfCancellationRequested(); - await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - } - // Send Request - if (_shouldTrace) - { - ServiceClientTracing.SendRequest(_invocationId, _httpRequest); - } - cancellationToken.ThrowIfCancellationRequested(); - _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - if (_shouldTrace) - { - ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); - } - HttpStatusCode _statusCode = _httpResponse.StatusCode; - cancellationToken.ThrowIfCancellationRequested(); - string _responseContent = null; - if ((int)_statusCode != 200) - { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); - try - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - if (_errorBody != null) - { - ex = new CloudException(_errorBody.Message); - ex.Body = _errorBody; - } - } - catch (JsonException) - { - // Ignore the exception - } - ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); - ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Error(_invocationId, ex); - } - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw ex; - } - // Create Result - var _result = new AzureOperationResponse>(); - _result.Request = _httpRequest; - _result.Response = _httpResponse; - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - // Deserialize Response - if ((int)_statusCode == 200) - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - try - { - _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject>(_responseContent, Client.DeserializationSettings); - } - catch (JsonException ex) - { - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); - } - } - if (_shouldTrace) - { - ServiceClientTracing.Exit(_invocationId, _result); - } - return _result; - } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableSqlDatabasesOperationsExtensions.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableSqlDatabasesOperationsExtensions.cs deleted file mode 100644 index 1466ae87bed7..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableSqlDatabasesOperationsExtensions.cs +++ /dev/null @@ -1,77 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using System.Collections; - using System.Collections.Generic; - using System.Threading; - using System.Threading.Tasks; - - /// - /// Extension methods for RestorableSqlDatabasesOperations. - /// - public static partial class RestorableSqlDatabasesOperationsExtensions - { - /// - /// Show the event feed of all mutations done on all the Azure Cosmos DB SQL - /// databases under the restorable account. This helps in scenario where - /// database was accidentally deleted to get the deletion time. This API - /// requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/.../read' - /// permission - /// - /// - /// The operations group for this extension method. - /// - /// - /// Cosmos DB region, with spaces between words and each word capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - public static IEnumerable List(this IRestorableSqlDatabasesOperations operations, string location, string instanceId) - { - return operations.ListAsync(location, instanceId).GetAwaiter().GetResult(); - } - - /// - /// Show the event feed of all mutations done on all the Azure Cosmos DB SQL - /// databases under the restorable account. This helps in scenario where - /// database was accidentally deleted to get the deletion time. This API - /// requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/.../read' - /// permission - /// - /// - /// The operations group for this extension method. - /// - /// - /// Cosmos DB region, with spaces between words and each word capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - /// - /// The cancellation token. - /// - public static async Task> ListAsync(this IRestorableSqlDatabasesOperations operations, string location, string instanceId, CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.ListWithHttpMessagesAsync(location, instanceId, null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableSqlResourcesOperations.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableSqlResourcesOperations.cs deleted file mode 100644 index e59fb7d25429..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableSqlResourcesOperations.cs +++ /dev/null @@ -1,284 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using Newtonsoft.Json; - using System.Collections; - using System.Collections.Generic; - using System.Linq; - using System.Net; - using System.Net.Http; - using System.Threading; - using System.Threading.Tasks; - - /// - /// RestorableSqlResourcesOperations operations. - /// - internal partial class RestorableSqlResourcesOperations : IServiceOperations, IRestorableSqlResourcesOperations - { - /// - /// Initializes a new instance of the RestorableSqlResourcesOperations class. - /// - /// - /// Reference to the service client. - /// - /// - /// Thrown when a required parameter is null - /// - internal RestorableSqlResourcesOperations(CosmosDBManagementClient client) - { - if (client == null) - { - throw new System.ArgumentNullException("client"); - } - Client = client; - } - - /// - /// Gets a reference to the CosmosDBManagementClient - /// - public CosmosDBManagementClient Client { get; private set; } - - /// - /// Return a list of database and container combo that exist on the account at - /// the given timestamp and location. This helps in scenarios to validate what - /// resources exist at given timestamp and location. This API requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/.../read' - /// permission. - /// - /// - /// Cosmos DB region, with spaces between words and each word capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - /// - /// The location where the restorable resources are located. - /// - /// - /// The timestamp when the restorable resources existed. - /// - /// - /// Headers that will be added to request. - /// - /// - /// The cancellation token. - /// - /// - /// Thrown when the operation returned an invalid status code - /// - /// - /// Thrown when unable to deserialize the response - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// Thrown when a required parameter is null - /// - /// - /// A response object containing the response body and response headers. - /// - public async Task>> ListWithHttpMessagesAsync(string location, string instanceId, string restoreLocation = default(string), string restoreTimestampInUtc = default(string), Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) - { - if (Client.ApiVersion == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); - } - if (Client.ApiVersion != null) - { - if (Client.ApiVersion.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.ApiVersion", 1); - } - } - if (Client.SubscriptionId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); - } - if (Client.SubscriptionId != null) - { - if (Client.SubscriptionId.Length < 1) - { - throw new ValidationException(ValidationRules.MinLength, "Client.SubscriptionId", 1); - } - } - if (location == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "location"); - } - if (instanceId == null) - { - throw new ValidationException(ValidationRules.CannotBeNull, "instanceId"); - } - // Tracing - bool _shouldTrace = ServiceClientTracing.IsEnabled; - string _invocationId = null; - if (_shouldTrace) - { - _invocationId = ServiceClientTracing.NextInvocationId.ToString(); - Dictionary tracingParameters = new Dictionary(); - tracingParameters.Add("location", location); - tracingParameters.Add("instanceId", instanceId); - tracingParameters.Add("restoreLocation", restoreLocation); - tracingParameters.Add("restoreTimestampInUtc", restoreTimestampInUtc); - tracingParameters.Add("cancellationToken", cancellationToken); - ServiceClientTracing.Enter(_invocationId, this, "List", tracingParameters); - } - // Construct URL - var _baseUrl = Client.BaseUri.AbsoluteUri; - var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/providers/Microsoft.DocumentDB/locations/{location}/restorableDatabaseAccounts/{instanceId}/restorableSqlResources").ToString(); - _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); - _url = _url.Replace("{location}", System.Uri.EscapeDataString(location)); - _url = _url.Replace("{instanceId}", System.Uri.EscapeDataString(instanceId)); - List _queryParameters = new List(); - if (Client.ApiVersion != null) - { - _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); - } - if (restoreLocation != null) - { - _queryParameters.Add(string.Format("restoreLocation={0}", System.Uri.EscapeDataString(restoreLocation))); - } - if (restoreTimestampInUtc != null) - { - _queryParameters.Add(string.Format("restoreTimestampInUtc={0}", System.Uri.EscapeDataString(restoreTimestampInUtc))); - } - if (_queryParameters.Count > 0) - { - _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); - } - // Create HTTP transport objects - var _httpRequest = new HttpRequestMessage(); - HttpResponseMessage _httpResponse = null; - _httpRequest.Method = new HttpMethod("GET"); - _httpRequest.RequestUri = new System.Uri(_url); - // Set Headers - if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) - { - _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); - } - if (Client.AcceptLanguage != null) - { - if (_httpRequest.Headers.Contains("accept-language")) - { - _httpRequest.Headers.Remove("accept-language"); - } - _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); - } - - - if (customHeaders != null) - { - foreach(var _header in customHeaders) - { - if (_httpRequest.Headers.Contains(_header.Key)) - { - _httpRequest.Headers.Remove(_header.Key); - } - _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); - } - } - - // Serialize Request - string _requestContent = null; - // Set Credentials - if (Client.Credentials != null) - { - cancellationToken.ThrowIfCancellationRequested(); - await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - } - // Send Request - if (_shouldTrace) - { - ServiceClientTracing.SendRequest(_invocationId, _httpRequest); - } - cancellationToken.ThrowIfCancellationRequested(); - _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); - if (_shouldTrace) - { - ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); - } - HttpStatusCode _statusCode = _httpResponse.StatusCode; - cancellationToken.ThrowIfCancellationRequested(); - string _responseContent = null; - if ((int)_statusCode != 200) - { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); - try - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); - if (_errorBody != null) - { - ex = new CloudException(_errorBody.Message); - ex.Body = _errorBody; - } - } - catch (JsonException) - { - // Ignore the exception - } - ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); - ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - if (_shouldTrace) - { - ServiceClientTracing.Error(_invocationId, ex); - } - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw ex; - } - // Create Result - var _result = new AzureOperationResponse>(); - _result.Request = _httpRequest; - _result.Response = _httpResponse; - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } - // Deserialize Response - if ((int)_statusCode == 200) - { - _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - try - { - _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject>(_responseContent, Client.DeserializationSettings); - } - catch (JsonException ex) - { - _httpRequest.Dispose(); - if (_httpResponse != null) - { - _httpResponse.Dispose(); - } - throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); - } - } - if (_shouldTrace) - { - ServiceClientTracing.Exit(_invocationId, _result); - } - return _result; - } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableSqlResourcesOperationsExtensions.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableSqlResourcesOperationsExtensions.cs deleted file mode 100644 index 367fe6bce803..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/RestorableSqlResourcesOperationsExtensions.cs +++ /dev/null @@ -1,87 +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 Microsoft (R) AutoRest Code Generator. -// Changes may cause incorrect behavior and will be lost if the code is -// regenerated. -// - -namespace Microsoft.Azure.Management.CosmosDB -{ - using Microsoft.Rest; - using Microsoft.Rest.Azure; - using Models; - using System.Collections; - using System.Collections.Generic; - using System.Threading; - using System.Threading.Tasks; - - /// - /// Extension methods for RestorableSqlResourcesOperations. - /// - public static partial class RestorableSqlResourcesOperationsExtensions - { - /// - /// Return a list of database and container combo that exist on the account at - /// the given timestamp and location. This helps in scenarios to validate what - /// resources exist at given timestamp and location. This API requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/.../read' - /// permission. - /// - /// - /// The operations group for this extension method. - /// - /// - /// Cosmos DB region, with spaces between words and each word capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - /// - /// The location where the restorable resources are located. - /// - /// - /// The timestamp when the restorable resources existed. - /// - public static IEnumerable List(this IRestorableSqlResourcesOperations operations, string location, string instanceId, string restoreLocation = default(string), string restoreTimestampInUtc = default(string)) - { - return operations.ListAsync(location, instanceId, restoreLocation, restoreTimestampInUtc).GetAwaiter().GetResult(); - } - - /// - /// Return a list of database and container combo that exist on the account at - /// the given timestamp and location. This helps in scenarios to validate what - /// resources exist at given timestamp and location. This API requires - /// 'Microsoft.DocumentDB/locations/restorableDatabaseAccounts/.../read' - /// permission. - /// - /// - /// The operations group for this extension method. - /// - /// - /// Cosmos DB region, with spaces between words and each word capitalized. - /// - /// - /// The instanceId GUID of a restorable database account. - /// - /// - /// The location where the restorable resources are located. - /// - /// - /// The timestamp when the restorable resources existed. - /// - /// - /// The cancellation token. - /// - public static async Task> ListAsync(this IRestorableSqlResourcesOperations operations, string location, string instanceId, string restoreLocation = default(string), string restoreTimestampInUtc = default(string), CancellationToken cancellationToken = default(CancellationToken)) - { - using (var _result = await operations.ListWithHttpMessagesAsync(location, instanceId, restoreLocation, restoreTimestampInUtc, null, cancellationToken).ConfigureAwait(false)) - { - return _result.Body; - } - } - - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/SdkInfo_CosmosDBManagementClient.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/SdkInfo_CosmosDBManagementClient.cs index 538086954c90..dbd05d2ed84a 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/SdkInfo_CosmosDBManagementClient.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Generated/SdkInfo_CosmosDBManagementClient.cs @@ -19,46 +19,37 @@ public static IEnumerable> ApiInfo_CosmosDBManagem { return new Tuple[] { - new Tuple("DocumentDB", "CassandraClusters", "2021-03-01-preview"), - new Tuple("DocumentDB", "CassandraDataCenters", "2021-03-01-preview"), - new Tuple("DocumentDB", "CassandraResources", "2021-03-01-preview"), - new Tuple("DocumentDB", "Collection", "2021-03-01-preview"), - new Tuple("DocumentDB", "CollectionPartition", "2021-03-01-preview"), - new Tuple("DocumentDB", "CollectionPartitionRegion", "2021-03-01-preview"), - new Tuple("DocumentDB", "CollectionRegion", "2021-03-01-preview"), - new Tuple("DocumentDB", "Database", "2021-03-01-preview"), - new Tuple("DocumentDB", "DatabaseAccountRegion", "2021-03-01-preview"), - new Tuple("DocumentDB", "DatabaseAccounts", "2021-03-01-preview"), - new Tuple("DocumentDB", "GremlinResources", "2021-03-01-preview"), - new Tuple("DocumentDB", "MongoDBResources", "2021-03-01-preview"), - new Tuple("DocumentDB", "NotebookWorkspaces", "2021-03-01-preview"), - new Tuple("DocumentDB", "Operations", "2021-03-01-preview"), - new Tuple("DocumentDB", "PartitionKeyRangeId", "2021-03-01-preview"), - new Tuple("DocumentDB", "PartitionKeyRangeIdRegion", "2021-03-01-preview"), - new Tuple("DocumentDB", "Percentile", "2021-03-01-preview"), - new Tuple("DocumentDB", "PercentileSourceTarget", "2021-03-01-preview"), - new Tuple("DocumentDB", "PercentileTarget", "2021-03-01-preview"), - new Tuple("DocumentDB", "PrivateEndpointConnections", "2021-03-01-preview"), - new Tuple("DocumentDB", "PrivateLinkResources", "2021-03-01-preview"), - new Tuple("DocumentDB", "RestorableDatabaseAccounts", "2021-03-01-preview"), - new Tuple("DocumentDB", "RestorableMongodbCollections", "2021-03-01-preview"), - new Tuple("DocumentDB", "RestorableMongodbDatabases", "2021-03-01-preview"), - new Tuple("DocumentDB", "RestorableMongodbResources", "2021-03-01-preview"), - new Tuple("DocumentDB", "RestorableSqlContainers", "2021-03-01-preview"), - new Tuple("DocumentDB", "RestorableSqlDatabases", "2021-03-01-preview"), - new Tuple("DocumentDB", "RestorableSqlResources", "2021-03-01-preview"), - new Tuple("DocumentDB", "SqlResources", "2021-03-01-preview"), - new Tuple("DocumentDB", "TableResources", "2021-03-01-preview"), + new Tuple("DocumentDB", "CassandraResources", "2021-04-15"), + new Tuple("DocumentDB", "Collection", "2021-04-15"), + new Tuple("DocumentDB", "CollectionPartition", "2021-04-15"), + new Tuple("DocumentDB", "CollectionPartitionRegion", "2021-04-15"), + new Tuple("DocumentDB", "CollectionRegion", "2021-04-15"), + new Tuple("DocumentDB", "Database", "2021-04-15"), + new Tuple("DocumentDB", "DatabaseAccountRegion", "2021-04-15"), + new Tuple("DocumentDB", "DatabaseAccounts", "2021-04-15"), + new Tuple("DocumentDB", "GremlinResources", "2021-04-15"), + new Tuple("DocumentDB", "MongoDBResources", "2021-04-15"), + new Tuple("DocumentDB", "NotebookWorkspaces", "2021-04-15"), + new Tuple("DocumentDB", "Operations", "2021-04-15"), + new Tuple("DocumentDB", "PartitionKeyRangeId", "2021-04-15"), + new Tuple("DocumentDB", "PartitionKeyRangeIdRegion", "2021-04-15"), + new Tuple("DocumentDB", "Percentile", "2021-04-15"), + new Tuple("DocumentDB", "PercentileSourceTarget", "2021-04-15"), + new Tuple("DocumentDB", "PercentileTarget", "2021-04-15"), + new Tuple("DocumentDB", "PrivateEndpointConnections", "2021-04-15"), + new Tuple("DocumentDB", "PrivateLinkResources", "2021-04-15"), + new Tuple("DocumentDB", "SqlResources", "2021-04-15"), + new Tuple("DocumentDB", "TableResources", "2021-04-15"), }.AsEnumerable(); } } // BEGIN: Code Generation Metadata Section public static readonly String AutoRestVersion = "v2"; - public static readonly String AutoRestBootStrapperVersion = "autorest@2.0.4413"; - public static readonly String AutoRestCmdExecuted = "cmd.exe /c autorest.cmd https://github.com/Azure/azure-rest-api-specs/blob/master/specification/cosmos-db/resource-manager/readme.md --csharp --version=v2 --reflect-api-versions --csharp-sdks-folder=C:\\Users\\frross\\source\\repos\\azure-sdk-for-net\\sdk"; + public static readonly String AutoRestBootStrapperVersion = "autorest@3.1.4"; + public static readonly String AutoRestCmdExecuted = "cmd.exe /c autorest.cmd https://github.com/Azure/azure-rest-api-specs/blob/master/specification/cosmos-db/resource-manager/readme.md --csharp --version=v2 --reflect-api-versions --csharp-sdks-folder=D:\\azure-sdk-for-net\\sdk"; public static readonly String GithubForkName = "Azure"; public static readonly String GithubBranchName = "master"; - public static readonly String GithubCommidId = "270f39439e03cc7549a8dc1a0f07e73443af42f9"; + public static readonly String GithubCommidId = "c1f66424b3b3636ec4cdb6c911dc75ca9abbe146"; public static readonly String CodeGenerationErrors = ""; public static readonly String GithubRepoName = "azure-rest-api-specs"; // END: Code Generation Metadata Section diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Microsoft.Azure.Management.CosmosDB.csproj b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Microsoft.Azure.Management.CosmosDB.csproj index c96e63351671..35990cef7157 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Microsoft.Azure.Management.CosmosDB.csproj +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Microsoft.Azure.Management.CosmosDB.csproj @@ -6,14 +6,20 @@ Microsoft.Azure.Management.CosmosDB Provides developers with libraries for the CosmosDB under Azure Resource manager to manage CosmosDB Account, Databases and child resources and their available management capabilities. Create, Delete, Update CosmosDB Account, Databases and child resources. Note: This client library is for CosmosDB under Azure Resource Manager. - 2.1.0-preview + 3.0.0 Microsoft.Azure.Management.CosmosDB management;cosmosdb; diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Properties/AssemblyInfo.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Properties/AssemblyInfo.cs index 6f066a3c41f1..22678ff34239 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Properties/AssemblyInfo.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/src/Properties/AssemblyInfo.cs @@ -7,8 +7,8 @@ [assembly: AssemblyTitle("Microsoft Azure CosmosDB Management Library")] [assembly: AssemblyDescription("Provides management functionality for Microsoft Azure CosmosDB Resources.")] -[assembly: AssemblyVersion("2.1.0.0")] -[assembly: AssemblyFileVersion("2.1.0.0")] +[assembly: AssemblyVersion("3.0.0.0")] +[assembly: AssemblyFileVersion("3.0.0.0")] [assembly: AssemblyConfiguration("")] [assembly: AssemblyCompany("Microsoft")] [assembly: AssemblyProduct("Microsoft Azure .NET SDK")] diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/Microsoft.Azure.Management.CosmosDB.Tests.csproj b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/Microsoft.Azure.Management.CosmosDB.Tests.csproj index 903d2c5bdf04..6ca961b49ff2 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/Microsoft.Azure.Management.CosmosDB.Tests.csproj +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/Microsoft.Azure.Management.CosmosDB.Tests.csproj @@ -11,13 +11,7 @@ - - - - Always - - - + PreserveNewest @@ -28,4 +22,4 @@ - + \ No newline at end of file diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/CassandraResourcesOperationsTests.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/CassandraResourcesOperationsTests.cs index ccf70609c51a..c0ab75aee52f 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/CassandraResourcesOperationsTests.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/CassandraResourcesOperationsTests.cs @@ -158,4 +158,4 @@ private void VerifyEqualCassandraDatabases(CassandraKeyspaceGetResults expectedV Assert.Equal(expectedValue.Resource._etag, actualValue.Resource._etag); } } -} +} \ No newline at end of file diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/DatabaseAccountOperationsTest.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/DatabaseAccountOperationsTest.cs index f6116309f1e3..a4c54ab0d409 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/DatabaseAccountOperationsTest.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/DatabaseAccountOperationsTest.cs @@ -14,8 +14,6 @@ namespace CosmosDB.Tests.ScenarioTests { public class DatabaseAccountOperationsTests { - const string location = "EAST US 2"; - [Fact] public void DatabaseAccountCRUDTests() { @@ -32,9 +30,16 @@ public void DatabaseAccountCRUDTests() string databaseAccountName = TestUtilities.GenerateName(prefix: "accountname"); List locations = new List(); - locations.Add(new Location(locationName: location)); - DefaultRequestDatabaseAccountCreateUpdateProperties databaseAccountCreateUpdateProperties = new DefaultRequestDatabaseAccountCreateUpdateProperties + locations.Add(new Location(locationName: "East US 2")); + DatabaseAccountCreateUpdateParameters databaseAccountCreateUpdateParameters = new DatabaseAccountCreateUpdateParameters { + Location = "EAST US 2", + Tags = new Dictionary + { + {"key1","value1"}, + {"key2","value2"} + }, + Kind = "MongoDB", ConsistencyPolicy = new ConsistencyPolicy { DefaultConsistencyLevel = DefaultConsistencyLevel.BoundedStaleness, @@ -51,19 +56,12 @@ public void DatabaseAccountCRUDTests() EnableMultipleWriteLocations = true, EnableCassandraConnector = true, ConnectorOffer = "Small", - DisableKeyBasedMetadataWriteAccess = false - }; - - DatabaseAccountCreateUpdateParameters databaseAccountCreateUpdateParameters = new DatabaseAccountCreateUpdateParameters - { - Location = location, - Tags = new Dictionary + DisableKeyBasedMetadataWriteAccess = false, + NetworkAclBypass = NetworkAclBypass.AzureServices, + NetworkAclBypassResourceIds = new List { - {"key1","value1"}, - {"key2","value2"} - }, - Kind = "MongoDB", - Properties = databaseAccountCreateUpdateProperties + "/subscriptions/subId/resourcegroups/rgName/providers/Microsoft.Synapse/workspaces/workspaceName" + } }; DatabaseAccountGetResults databaseAccount = cosmosDBManagementClient.DatabaseAccounts.CreateOrUpdateWithHttpMessagesAsync(resourceGroupName, databaseAccountName, databaseAccountCreateUpdateParameters).GetAwaiter().GetResult().Body; @@ -77,7 +75,7 @@ public void DatabaseAccountCRUDTests() DatabaseAccountUpdateParameters databaseAccountUpdateParameters = new DatabaseAccountUpdateParameters { - Location = location, + Location = "EAST US 2", Tags = new Dictionary { {"key3","value3"}, @@ -98,7 +96,13 @@ public void DatabaseAccountCRUDTests() EnableAutomaticFailover = true, EnableCassandraConnector = true, ConnectorOffer = "Small", - DisableKeyBasedMetadataWriteAccess = true + DisableKeyBasedMetadataWriteAccess = true, + NetworkAclBypass = NetworkAclBypass.AzureServices, + NetworkAclBypassResourceIds = new List + { + "/subscriptions/subId/resourcegroups/rgName/providers/Microsoft.Synapse/workspaces/workspaceName", + "/subscriptions/subId/resourcegroups/rgName/providers/Microsoft.Synapse/workspaces/workspaceName2" + } }; DatabaseAccountGetResults updatedDatabaseAccount = cosmosDBManagementClient.DatabaseAccounts.UpdateWithHttpMessagesAsync(resourceGroupName, databaseAccountName, databaseAccountUpdateParameters).GetAwaiter().GetResult().Body; @@ -145,13 +149,14 @@ private static void VerifyCosmosDBAccount(DatabaseAccountGetResults databaseAcco Assert.Equal(databaseAccount.Tags.Count, parameters.Tags.Count); Assert.True(databaseAccount.Tags.SequenceEqual(parameters.Tags)); Assert.Equal(databaseAccount.Kind, parameters.Kind); - VerifyConsistencyPolicy(databaseAccount.ConsistencyPolicy, parameters.Properties.ConsistencyPolicy); - Assert.Equal(databaseAccount.IsVirtualNetworkFilterEnabled, parameters.Properties.IsVirtualNetworkFilterEnabled); - Assert.Equal(databaseAccount.EnableAutomaticFailover, parameters.Properties.EnableAutomaticFailover); - Assert.Equal(databaseAccount.EnableMultipleWriteLocations, parameters.Properties.EnableMultipleWriteLocations); - Assert.Equal(databaseAccount.EnableCassandraConnector, parameters.Properties.EnableCassandraConnector); - Assert.Equal(databaseAccount.ConnectorOffer, parameters.Properties.ConnectorOffer); - Assert.Equal(databaseAccount.DisableKeyBasedMetadataWriteAccess, parameters.Properties.DisableKeyBasedMetadataWriteAccess); + VerifyConsistencyPolicy(databaseAccount.ConsistencyPolicy, parameters.ConsistencyPolicy); + Assert.Equal(databaseAccount.IsVirtualNetworkFilterEnabled, parameters.IsVirtualNetworkFilterEnabled); + Assert.Equal(databaseAccount.EnableAutomaticFailover, parameters.EnableAutomaticFailover); + Assert.Equal(databaseAccount.EnableMultipleWriteLocations, parameters.EnableMultipleWriteLocations); + Assert.Equal(databaseAccount.EnableCassandraConnector, parameters.EnableCassandraConnector); + Assert.Equal(databaseAccount.ConnectorOffer, parameters.ConnectorOffer); + Assert.Equal(databaseAccount.DisableKeyBasedMetadataWriteAccess, parameters.DisableKeyBasedMetadataWriteAccess); + Assert.Equal(databaseAccount.NetworkAclBypassResourceIds.Count, parameters.NetworkAclBypassResourceIds.Count); } private static void VerifyCosmosDBAccount(DatabaseAccountGetResults databaseAccount, DatabaseAccountUpdateParameters parameters) @@ -178,4 +183,4 @@ private static void VerifyConsistencyPolicy(ConsistencyPolicy actualValue, Consi } } } -} +} \ No newline at end of file diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/GraphResourcesOperationsTests.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/GraphResourcesOperationsTests.cs index 518b09a3d5d7..451391d4df93 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/GraphResourcesOperationsTests.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/GraphResourcesOperationsTests.cs @@ -175,4 +175,4 @@ private void VerifyEqualGremlinDatabases(GremlinDatabaseGetResults expectedValue Assert.Equal(expectedValue.Resource._etag, actualValue.Resource._etag); } } -} +} \ No newline at end of file diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/ManagedCassandraOperationsTests.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/ManagedCassandraOperationsTests.cs deleted file mode 100644 index 07b76cdfd5ba..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/ManagedCassandraOperationsTests.cs +++ /dev/null @@ -1,178 +0,0 @@ -namespace CosmosDB.Tests.ScenarioTests -{ - using System; - using System.Collections.Generic; - using System.IO; - using System.Net; - using System.Threading; - using global::CosmosDB.Tests; - using Microsoft.Azure.Management.CosmosDB; - using Microsoft.Azure.Management.CosmosDB.Models; - using Microsoft.Azure.Management.Resources; - using Microsoft.Azure.Management.Resources.Models; - using Microsoft.Rest.ClientRuntime.Azure.TestFramework; - using Newtonsoft.Json; - using Newtonsoft.Json.Linq; - using Xunit; - using Xunit.Abstractions; - - public class ManagedCassandraResourcesOperationsTests - { - private const string VnetDeploymentName = "vnet-deployment"; - - private ITestOutputHelper output; - - public ManagedCassandraResourcesOperationsTests(ITestOutputHelper output) - { - this.output = output; - } - - [Fact] - public void ManagedCassandraCRUDTests() - { - var handler = new RecordedDelegatingHandler {StatusCodeToReturn = HttpStatusCode.OK}; - var handler2 = new RecordedDelegatingHandler {StatusCodeToReturn = HttpStatusCode.OK}; - - using (MockContext context = MockContext.Start(this.GetType())) - { - // Create client - CosmosDBManagementClient cosmosDBManagementClient = - CosmosDBTestUtilities.GetCosmosDBClient(context, handler); - ResourceManagementClient resourcesClient = - CosmosDBTestUtilities.GetResourceManagementClient(context, handler2); - - string resourceGroupName = CosmosDBTestUtilities.CreateResourceGroup(resourcesClient); - - try - { - string clusterName = TestUtilities.GenerateName("managedcluster"); - string dcName = TestUtilities.GenerateName("managedDC"); - this.output.WriteLine($"Creating cluster {clusterName} in resource group {resourceGroupName}."); - - string subnetId = CreateVirtualNetwork(resourcesClient, resourceGroupName); - this.output.WriteLine($"Created subnet {subnetId}."); - - var clusterProperties = new ClusterResourceProperties - { - DelegatedManagementSubnetId = subnetId, InitialCassandraAdminPassword = "password", - ExternalSeedNodes = new List - { - new SeedNode { IpAddress = "10.0.1.1" } - } - }; - var clusterPutResource = new ClusterResource - { - Location = "East US 2", Properties = clusterProperties - }; - this.output.WriteLine($"Cluster create request body:"); - this.output.WriteLine(JsonConvert.SerializeObject(clusterPutResource, Formatting.Indented)); - - ClusterResource clusterResource = cosmosDBManagementClient.CassandraClusters - .CreateUpdateWithHttpMessagesAsync(resourceGroupName: resourceGroupName, - clusterName: clusterName, body: clusterPutResource).GetAwaiter().GetResult().Body; - - this.output.WriteLine($"Cluster create response:"); - this.output.WriteLine(JsonConvert.SerializeObject(clusterResource, Formatting.Indented)); - - Assert.Equal(subnetId, clusterResource.Properties.DelegatedManagementSubnetId); - Assert.Null(clusterResource.Properties.InitialCassandraAdminPassword); - Assert.Equal("Cassandra", clusterResource.Properties.AuthenticationMethod); - Assert.Equal("Succeeded", clusterResource.Properties.ProvisioningState); - Assert.NotNull(clusterResource.Properties.ExternalSeedNodes); - Assert.Equal(1, clusterResource.Properties.ExternalSeedNodes.Count); - Assert.Equal("10.0.1.1", clusterResource.Properties.ExternalSeedNodes[0].IpAddress); - - clusterPutResource.Properties.ExternalSeedNodes = new List - { - new SeedNode {IpAddress = "192.168.12.1"} - }; - this.output.WriteLine(""); - this.output.WriteLine("Updating cluster. Put body:"); - this.output.WriteLine(JsonConvert.SerializeObject(clusterPutResource, Formatting.Indented)); - - ClusterResource clusterResource2 = cosmosDBManagementClient.CassandraClusters - .CreateUpdateWithHttpMessagesAsync(resourceGroupName: resourceGroupName, - clusterName: clusterName, body: clusterPutResource).GetAwaiter().GetResult().Body; - - this.output.WriteLine("Response:"); - this.output.WriteLine(JsonConvert.SerializeObject(clusterResource2, Formatting.Indented)); - - Assert.Equal(clusterName, clusterResource2.Name); - Assert.Equal("East US 2", clusterResource2.Location); - Assert.Equal(subnetId, clusterResource2.Properties.DelegatedManagementSubnetId); - Assert.Null(clusterResource2.Properties.InitialCassandraAdminPassword); - Assert.Equal("Cassandra", clusterResource2.Properties.AuthenticationMethod); - Assert.Null(clusterResource2.Properties.CassandraVersion); - Assert.Equal("Succeeded", clusterResource2.Properties.ProvisioningState); - Assert.NotNull(clusterResource2.Properties.ExternalSeedNodes); - Assert.NotEmpty(clusterResource2.Properties.ExternalSeedNodes); - - DataCenterResource dataCenterPutResource = new DataCenterResource - { - Properties = new DataCenterResourceProperties - { - DataCenterLocation = "East US 2", DelegatedSubnetId = subnetId, NodeCount = 3, - } - }; - this.output.WriteLine($"Creating data center {dcName}. Put request:"); - this.output.WriteLine(JsonConvert.SerializeObject(dataCenterPutResource, Formatting.Indented)); - DataCenterResource dcResource = cosmosDBManagementClient.CassandraDataCenters - .CreateUpdateWithHttpMessagesAsync(resourceGroupName, clusterName, dcName, - dataCenterPutResource).GetAwaiter().GetResult().Body; - this.output.WriteLine("Response:"); - this.output.WriteLine(JsonConvert.SerializeObject(dcResource, Formatting.Indented)); - - Assert.Equal("East US 2", dcResource.Properties.DataCenterLocation); - Assert.Equal(subnetId, dcResource.Properties.DelegatedSubnetId); - Assert.Equal(3, dcResource.Properties.NodeCount); - Assert.Equal(3, dcResource.Properties.SeedNodes.Count); - - this.output.WriteLine($"Deleting data center {dcName}."); - cosmosDBManagementClient.CassandraDataCenters - .DeleteWithHttpMessagesAsync(resourceGroupName, clusterName, dcName).GetAwaiter().GetResult(); - - this.output.WriteLine($"Deleting cluster {clusterName}."); - cosmosDBManagementClient.CassandraClusters - .DeleteWithHttpMessagesAsync(resourceGroupName, clusterName).GetAwaiter().GetResult(); - - this.output.WriteLine("Deleting deployment of vnets."); - cosmosDBManagementClient.CassandraClusters - .DeleteWithHttpMessagesAsync(resourceGroupName, clusterName).GetAwaiter().GetResult(); - } - finally - { - this.output.WriteLine("Deleting resource group."); - resourcesClient.Deployments.Delete(resourceGroupName, - ManagedCassandraResourcesOperationsTests.VnetDeploymentName); - resourcesClient.ResourceGroups.Delete(resourceGroupName); - } - } - } - - public static string CreateVirtualNetwork(ResourceManagementClient client, string resourceGroupName) - { - const string testPrefix = "CosmosDBVirtualNetwork"; - var vnetName = TestUtilities.GenerateName(testPrefix); - - var templateParameters = new Dictionary> - { - {"vnetName", new Dictionary {{"value", vnetName}}} - }; - - var deploymentProperties = new DeploymentProperties - { - Template = JObject.Parse(File.ReadAllText("TestData/ManagedCassandraVnetTemplate.azrm.json")), - Parameters = templateParameters, - Mode = DeploymentMode.Incremental - }; - var deploymentModel = new Deployment(deploymentProperties); - - var deployment = client.Deployments.CreateOrUpdate(resourceGroupName, - ManagedCassandraResourcesOperationsTests.VnetDeploymentName, deploymentModel); - - var outputs = (JObject) deployment.Properties.Outputs; - var subnetId = ((JObject) outputs.GetValue("subnetId")).GetValue("value").ToString(); - return subnetId; - } - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/MongoResourcesOperationsTests.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/MongoResourcesOperationsTests.cs index 6f43b78915fe..a14f3214f7d0 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/MongoResourcesOperationsTests.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/MongoResourcesOperationsTests.cs @@ -9,6 +9,7 @@ using Microsoft.Azure.Management.CosmosDB.Models; using System.Collections.Generic; using System; +using System.Collections.Specialized; namespace CosmosDB.Tests.ScenarioTests { @@ -55,22 +56,19 @@ public void MongoCRUDTests() { Location = location, Kind = DatabaseAccountKind.MongoDB, - Properties = new DefaultRequestDatabaseAccountCreateUpdateProperties + Locations = new List { - Locations = new List - { - {new Location(locationName: location) } - } + {new Location(locationName: location) } } }; - databaseAccount = cosmosDBManagementClient.DatabaseAccounts.CreateOrUpdateWithHttpMessagesAsync(resourceGroupName, databaseAccountName, databaseAccountCreateUpdateParameters).GetAwaiter().GetResult().Body; + databaseAccount = cosmosDBManagementClient.DatabaseAccounts.CreateOrUpdateWithHttpMessagesAsync(resourceGroupName, databaseAccountName, databaseAccountCreateUpdateParameters).GetAwaiter().GetResult().Body; Assert.Equal(databaseAccount.Name, databaseAccountName); } MongoDBDatabaseCreateUpdateParameters mongoDBDatabaseCreateUpdateParameters = new MongoDBDatabaseCreateUpdateParameters { - Resource = new MongoDBDatabaseResource { Id = databaseName }, + Resource = new MongoDBDatabaseResource {Id = databaseName}, Options = new CreateUpdateOptions() }; @@ -126,7 +124,7 @@ public void MongoCRUDTests() IEnumerable mongoDBCollections = cosmosDBManagementClient.MongoDBResources.ListMongoDBCollectionsWithHttpMessagesAsync(resourceGroupName, databaseAccountName, databaseName).GetAwaiter().GetResult().Body; Assert.NotNull(mongoDBCollections); - foreach (MongoDBCollectionGetResults mongoDBCollection in mongoDBCollections) + foreach(MongoDBCollectionGetResults mongoDBCollection in mongoDBCollections) { cosmosDBManagementClient.MongoDBResources.DeleteMongoDBCollectionWithHttpMessagesAsync(resourceGroupName, databaseAccountName, databaseName, mongoDBCollection.Name); } @@ -151,4 +149,4 @@ private void VerifyEqualMongoDBDatabases(MongoDBDatabaseGetResults expectedValue Assert.Equal(expectedValue.Resource._etag, actualValue.Resource._etag); } } -} +} \ No newline at end of file diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/RestorableMongoOperationTests.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/RestorableMongoOperationTests.cs deleted file mode 100644 index 553e3aeab27c..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/RestorableMongoOperationTests.cs +++ /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. - -using Microsoft.Azure.Management.CosmosDB; -using Microsoft.Azure.Management.CosmosDB.Models; -using Microsoft.Azure.Management.Resources; -using Microsoft.Rest.ClientRuntime.Azure.TestFramework; -using System; -using System.Collections.Generic; -using System.Linq; -using System.Net; -using System.Threading.Tasks; -using Xunit; - -namespace CosmosDB.Tests.ScenarioTests -{ - public class RestorableMongoOperationsTests - { - const string location = "eastus2"; - const string sourceDatabaseAccountName32 = "pitr-mongo32-stage-source"; - const string sourceDatabaseAccountName36 = "pitr-mongo36-stage-source"; - const string sourceDatabaseAccountInstanceId32 = "eadac7e2-61f0-4e07-aaa1-9dbb495ec5a8"; - const string sourceDatabaseAccountInstanceId36 = "25a04cf0-89d4-4546-9c30-14d1dc8899df"; - const string restoreTimestamp = "2021-03-01T00:00:00+0000"; - - [Fact] - public async Task RestorableMongodb32Tests() - { - DatabaseRestoreResource databaseRestoreResource1 = new DatabaseRestoreResource() - { - DatabaseName = "database1", - CollectionNames = new List() { "collection1", "collection2", "collection3" } - }; - - DatabaseRestoreResource databaseRestoreResource2 = new DatabaseRestoreResource() - { - DatabaseName = "databaseA", - CollectionNames = new List() - }; - - List resources = new List() - { - databaseRestoreResource1, - databaseRestoreResource2 - }; - - var handler = new RecordedDelegatingHandler { StatusCodeToReturn = HttpStatusCode.OK }; - - using (MockContext context = MockContext.Start(this.GetType())) - { - // Create client - CosmosDBManagementClient cosmosDBManagementClient = CosmosDBTestUtilities.GetCosmosDBClient(context, handler); - await RestorableMongodbTestHelper(cosmosDBManagementClient, sourceDatabaseAccountInstanceId32, resources); - } - } - - [Fact] - public async Task RestorableMongodb36Tests() - { - DatabaseRestoreResource databaseRestoreResource1 = new DatabaseRestoreResource() - { - DatabaseName = "database1", - CollectionNames = new List() { "collection1", "collection2", "collection3" } - }; - - DatabaseRestoreResource databaseRestoreResource2 = new DatabaseRestoreResource() - { - DatabaseName = "databaseA", - CollectionNames = new List() - }; - - List resources = new List() - { - databaseRestoreResource1, - databaseRestoreResource2 - }; - - var handler = new RecordedDelegatingHandler { StatusCodeToReturn = HttpStatusCode.OK }; - - using (MockContext context = MockContext.Start(this.GetType())) - { - // Create client - CosmosDBManagementClient cosmosDBManagementClient = CosmosDBTestUtilities.GetCosmosDBClient(context, handler); - await RestorableMongodbTestHelper(cosmosDBManagementClient, sourceDatabaseAccountInstanceId36, resources); - } - } - - private async Task RestorableMongodbTestHelper( - CosmosDBManagementClient cosmosDBManagementClient, - string sourceAccountInstanceId, - List resources = null) - { - List restorableMongodbDatabases = - (await cosmosDBManagementClient.RestorableMongodbDatabases.ListAsync(location, sourceAccountInstanceId)).ToList(); - - Assert.Equal(resources.Count, restorableMongodbDatabases.Count()); - - DatabaseRestoreResource resource = resources.Single(x => x.DatabaseName == "database1"); - - RestorableMongodbDatabaseGetResult restorableMongodbDatabase = restorableMongodbDatabases.Single(db => db.Resource.OwnerId == resource.DatabaseName); - - string dbRid = restorableMongodbDatabase.Resource.OwnerResourceId; - - List restorableMongodbContainers = - (await cosmosDBManagementClient.RestorableMongodbCollections.ListAsync(location, sourceAccountInstanceId, dbRid)).ToList(); - - Assert.Equal(resource.CollectionNames.Count, restorableMongodbContainers.Count()); - - List restorableMongodbResources = - (await cosmosDBManagementClient.RestorableMongodbResources.ListAsync(location, sourceAccountInstanceId, location, restoreTimestamp.ToString())).ToList(); - - ValidateDatabaseRestoreResource(resources, restorableMongodbResources); - } - - private static void ValidateDatabaseRestoreResource( - List expectedResources, - List actualResources) - { - Assert.Equal(expectedResources.Count, actualResources.Count); - - foreach (var resource in expectedResources) - { - DatabaseRestoreResource actual = actualResources.Single(x => x.DatabaseName == resource.DatabaseName); - Assert.False(resource.CollectionNames.Except(actual.CollectionNames).Any() && actual.CollectionNames.Except(resource.CollectionNames).Any()); - } - } - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/RestorableSqlOperationTests.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/RestorableSqlOperationTests.cs deleted file mode 100644 index 76ab7586e2ac..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/RestorableSqlOperationTests.cs +++ /dev/null @@ -1,103 +0,0 @@ -// Copyright (c) Microsoft Corporation. All rights reserved. -// Licensed under the MIT License. See License.txt in the project root for license information. - -using Microsoft.Azure.Management.CosmosDB; -using Microsoft.Azure.Management.CosmosDB.Models; -using Microsoft.Azure.Management.Resources; -using Microsoft.Rest.ClientRuntime.Azure.TestFramework; -using System; -using System.Collections.Generic; -using System.Linq; -using System.Net; -using System.Threading.Tasks; -using Xunit; - -namespace CosmosDB.Tests.ScenarioTests -{ - public class RestorableSqlOperationsTests - { - const string location = "westus2"; - const string resourceGroupName = "pitr-stage-rg"; - const string sourceDatabaseAccountName = "pitr-sql-stage-source"; - const string sourceDatabaseAccountInstanceId = "9a4b63c3-49d1-4c87-b28e-92e92aeaa0ea"; - const string restoreTimestamp = "2021-03-01T00:00:00+0000"; - - [Fact] - public async Task RestorableSqlTests() - { - var handler1 = new RecordedDelegatingHandler { StatusCodeToReturn = HttpStatusCode.OK }; - using (MockContext context = MockContext.Start(this.GetType())) - { - // Create client - CosmosDBManagementClient cosmosDBManagementClient = CosmosDBTestUtilities.GetCosmosDBClient(context, handler1); - ResourceManagementClient resourcesClient = CosmosDBTestUtilities.GetResourceManagementClient(context, handler1); - DatabaseAccountGetResults databaseAccount = await cosmosDBManagementClient.DatabaseAccounts.GetAsync(resourceGroupName, sourceDatabaseAccountName); - - RestorableDatabaseAccountGetResult restorableDatabaseAccount = (await cosmosDBManagementClient.RestorableDatabaseAccounts.GetByLocationAsync(location, sourceDatabaseAccountInstanceId)); - - Assert.Equal(databaseAccount.InstanceId, restorableDatabaseAccount.Name); - Assert.Equal(databaseAccount.Name, restorableDatabaseAccount.AccountName); - Assert.Equal(ApiType.Sql, restorableDatabaseAccount.ApiType); - Assert.Equal(2, restorableDatabaseAccount.RestorableLocations.Count); - - foreach (var location in restorableDatabaseAccount.RestorableLocations) - { - Assert.NotNull(location.CreationTime); - // Assert.Null(location.DeletionTime); - Assert.False(string.IsNullOrEmpty(location.LocationName)); - Assert.False(string.IsNullOrEmpty(location.RegionalDatabaseAccountInstanceId)); - } - - List restorableSqlDatabases = - (await cosmosDBManagementClient.RestorableSqlDatabases.ListAsync(location, restorableDatabaseAccount.Name)).ToList(); - - RestorableSqlDatabaseGetResult restorableSqlDatabase = restorableSqlDatabases.First(); - - Assert.Equal(2, restorableSqlDatabases.Count()); - - string dbRid = restorableSqlDatabase.Resource.OwnerResourceId; - - List restorableSqlContainers = - (await cosmosDBManagementClient.RestorableSqlContainers.ListAsync(location, restorableDatabaseAccount.Name, dbRid)).ToList(); - - Assert.Equal(2, restorableSqlContainers.Count()); - - List restorableSqlResources = - (await cosmosDBManagementClient.RestorableSqlResources.ListAsync(location, restorableDatabaseAccount.Name, location, restoreTimestamp.ToString())).ToList(); - - DatabaseRestoreResource databaseRestoreResource1 = new DatabaseRestoreResource() - { - DatabaseName = "database1", - CollectionNames = new List() { "container1", "container2" } - }; - - DatabaseRestoreResource databaseRestoreResource2 = new DatabaseRestoreResource() - { - DatabaseName = "databaseA", - CollectionNames = new List() - }; - - List resources = new List() - { - databaseRestoreResource1, - databaseRestoreResource2 - }; - - ValidateDatabaseRestoreResource(resources, restorableSqlResources); - } - } - - private static void ValidateDatabaseRestoreResource( - List expectedResources, - List actualResources) - { - Assert.Equal(expectedResources.Count, actualResources.Count); - - foreach (var resource in expectedResources) - { - DatabaseRestoreResource actual = actualResources.Single(x => x.DatabaseName == resource.DatabaseName); - Assert.False(resource.CollectionNames.Except(actual.CollectionNames).Any() && actual.CollectionNames.Except(resource.CollectionNames).Any()); - } - } - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/RestoreDatabaseAccountOperationTests.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/RestoreDatabaseAccountOperationTests.cs deleted file mode 100644 index 85aaea2cb4d4..000000000000 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/RestoreDatabaseAccountOperationTests.cs +++ /dev/null @@ -1,141 +0,0 @@ -// Copyright (c) Microsoft Corporation. All rights reserved. -// Licensed under the MIT License. See License.txt in the project root for license information. - -using Microsoft.Azure.Management.CosmosDB; -using Microsoft.Azure.Management.CosmosDB.Models; -using Microsoft.Azure.Management.Resources; -using Microsoft.Rest.ClientRuntime.Azure.TestFramework; -using System; -using System.Collections.Generic; -using System.Linq; -using System.Net; -using System.Threading.Tasks; -using Xunit; - -namespace CosmosDB.Tests.ScenarioTests -{ - public class RestoreDatabaseAccountOperationsTests - { - const string eastus2 = "eastus2"; - const string westus2 = "westus2"; - const string resourceGroupName = "pitr-stage-rg"; - const string restoreTimestamp = "2021-03-01T00:00:00+0000"; - // const string sourceDatabaseAccountName = "pitr-sql-stage-source"; - - [Fact] - public async Task RestoreDatabaseAccountFeedTests() - { - RecordedDelegatingHandler handler = new RecordedDelegatingHandler { StatusCodeToReturn = HttpStatusCode.OK }; - - using (MockContext context = MockContext.Start(this.GetType())) - { - // Create client - CosmosDBManagementClient cosmosDBManagementClient = CosmosDBTestUtilities.GetCosmosDBClient(context, handler); - - await RestoreDatabaseAccountFeedTestHelperAsync(cosmosDBManagementClient, "pitr-sql-stage-source", westus2, ApiType.Sql, 2); - await RestoreDatabaseAccountFeedTestHelperAsync(cosmosDBManagementClient, "pitr-mongo32-stage-source", eastus2, ApiType.MongoDB, 2); - await RestoreDatabaseAccountFeedTestHelperAsync(cosmosDBManagementClient, "pitr-mongo36-stage-source", eastus2, ApiType.MongoDB, 2); - } - } - - private async Task RestoreDatabaseAccountFeedTestHelperAsync( - CosmosDBManagementClient cosmosDBManagementClient, - string sourceDatabaseAccountName, - string sourceARMLocation, - string sourceApiType, - int expectedRestorableLocationCount) - { - DatabaseAccountGetResults sourceDatabaseAccount = await cosmosDBManagementClient.DatabaseAccounts.GetAsync(resourceGroupName, sourceDatabaseAccountName); - - List restorableAccountsFromGlobalFeed = (await cosmosDBManagementClient.RestorableDatabaseAccounts.ListAsync()).ToList(); - - //List restorableAccounts = (await cosmosDBManagementClient.RestorableDatabaseAccounts.ListByLocationAsync(westus2)).ToList(); - RestorableDatabaseAccountGetResult restorableDatabaseAccount = restorableAccountsFromGlobalFeed. - Single(account => account.Name.Equals(sourceDatabaseAccount.InstanceId, StringComparison.OrdinalIgnoreCase)); - - ValidateRestorableDatabaseAccount(restorableDatabaseAccount, sourceDatabaseAccount, sourceApiType, expectedRestorableLocationCount); - - List restorableAccountsFromRegionalFeed = - (await cosmosDBManagementClient.RestorableDatabaseAccounts.ListByLocationAsync(sourceARMLocation)).ToList(); - - restorableDatabaseAccount = restorableAccountsFromRegionalFeed. - Single(account => account.Name.Equals(sourceDatabaseAccount.InstanceId, StringComparison.OrdinalIgnoreCase)); - - ValidateRestorableDatabaseAccount(restorableDatabaseAccount, sourceDatabaseAccount, sourceApiType, expectedRestorableLocationCount); - - restorableDatabaseAccount = - await cosmosDBManagementClient.RestorableDatabaseAccounts.GetByLocationAsync(sourceARMLocation, sourceDatabaseAccount.InstanceId); - - ValidateRestorableDatabaseAccount(restorableDatabaseAccount, sourceDatabaseAccount, sourceApiType, expectedRestorableLocationCount); - } - - private static void ValidateRestorableDatabaseAccount( - RestorableDatabaseAccountGetResult restorableDatabaseAccount, - DatabaseAccountGetResults sourceDatabaseAccount, - string expectedApiType, - int expectedRestorableLocations) - { - Assert.Equal(expectedApiType, restorableDatabaseAccount.ApiType); - Assert.Equal(expectedRestorableLocations, restorableDatabaseAccount.RestorableLocations.Count); - Assert.Equal("Microsoft.DocumentDB/locations/restorableDatabaseAccounts", restorableDatabaseAccount.Type); - Assert.Equal(sourceDatabaseAccount.Location, restorableDatabaseAccount.Location); - Assert.Equal(sourceDatabaseAccount.Name, restorableDatabaseAccount.AccountName); - } - - [Fact] - public async Task RestoreDatabaseAccountTests() - { - var handler1 = new RecordedDelegatingHandler { StatusCodeToReturn = HttpStatusCode.OK }; - using (MockContext context = MockContext.Start(this.GetType())) - { - // Create client - CosmosDBManagementClient cosmosDBManagementClient = CosmosDBTestUtilities.GetCosmosDBClient(context, handler1); - - DatabaseAccountGetResults databaseAccount = await cosmosDBManagementClient.DatabaseAccounts.GetAsync(resourceGroupName, "pitr-sql-stage-source"); - DateTime restoreTs = DateTime.Parse(restoreTimestamp); - string restoredatabaseAccountName = TestUtilities.GenerateName(prefix: "restoredaccountname"); - - List restorableAccounts = (await cosmosDBManagementClient.RestorableDatabaseAccounts.ListAsync()).ToList(); - RestorableDatabaseAccountGetResult restorableDatabaseAccount = restorableAccounts. - SingleOrDefault(account => account.Name.Equals(databaseAccount.InstanceId, StringComparison.OrdinalIgnoreCase)); - - List locations = new List - { - new Location(locationName: westus2) - }; - - RestoreReqeustDatabaseAccountCreateUpdateProperties databaseAccountCreateUpdateProperties = new RestoreReqeustDatabaseAccountCreateUpdateProperties - { - Locations = locations, - RestoreParameters = new RestoreParameters() - { - RestoreMode = "PointInTime", - RestoreTimestampInUtc = restoreTs, - RestoreSource = restorableDatabaseAccount.Id - } - }; - - DatabaseAccountCreateUpdateParameters databaseAccountCreateUpdateParameters = new DatabaseAccountCreateUpdateParameters - { - Location = westus2, - Tags = new Dictionary - { - {"key1","value1"}, - {"key2","value2"} - }, - Kind = "GlobalDocumentDB", - Properties = databaseAccountCreateUpdateProperties - }; - - DatabaseAccountGetResults restoredDatabaseAccount = - (await cosmosDBManagementClient.DatabaseAccounts.CreateOrUpdateWithHttpMessagesAsync( - resourceGroupName, restoredatabaseAccountName, databaseAccountCreateUpdateParameters)).Body; - - Assert.NotNull(restoredDatabaseAccount); - Assert.NotNull(restoredDatabaseAccount.RestoreParameters); - Assert.Equal(restoredDatabaseAccount.RestoreParameters.RestoreSource.ToLower(), restorableDatabaseAccount.Id.ToLower()); - Assert.True(restoredDatabaseAccount.BackupPolicy is ContinuousModeBackupPolicy); - } - } - } -} diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/SqlResourcesOperationsTests.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/SqlResourcesOperationsTests.cs index aa49bceae225..7c47904d3b1c 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/SqlResourcesOperationsTests.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/SqlResourcesOperationsTests.cs @@ -1,26 +1,23 @@ // Copyright (c) Microsoft Corporation. All rights reserved. // Licensed under the MIT License. See License.txt in the project root for license information. +using System; using System.Net; using Microsoft.Azure.Management.CosmosDB; using Xunit; using Microsoft.Rest.ClientRuntime.Azure.TestFramework; using Microsoft.Azure.Management.CosmosDB.Models; using System.Collections.Generic; -using System.Linq; namespace CosmosDB.Tests.ScenarioTests { - using System; - using Microsoft.Rest.Azure; - public class SqlResourcesOperationsTests { const string location = "EAST US 2"; // using an existing DB account, since Account provisioning takes 10-15 minutes const string resourceGroupName = "CosmosDBResourceGroup3668"; - const string databaseAccountName = "db9934"; + const string databaseAccountName = "cli124"; const string databaseAccountName2 = "rbac"; const string databaseName = "databaseName"; @@ -70,12 +67,11 @@ public void SqlCRUDTests() { Location = location, Kind = DatabaseAccountKind.GlobalDocumentDB, - Properties = new DefaultRequestDatabaseAccountCreateUpdateProperties + Locations = new List() { - Locations = new List() - { new Location(locationName: location) } + {new Location(locationName: location) } } - }; + }; databaseAccount = cosmosDBManagementClient.DatabaseAccounts.CreateOrUpdateWithHttpMessagesAsync(resourceGroupName, databaseAccountName, databaseAccountCreateUpdateParameters).GetAwaiter().GetResult().Body; Assert.Equal(databaseAccount.Name, databaseAccountName); @@ -506,4 +502,4 @@ private void VerifyCreateUpdateRoleAssignment(SqlRoleAssignmentCreateUpdateParam Assert.Equal(sqlRoleAssignmentCreateUpdateParameters.PrincipalId, sqlRoleAssignmentGetResults.PrincipalId); } } -} +} \ No newline at end of file diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/TableResourcesOperationsTests.cs b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/TableResourcesOperationsTests.cs index a485d2e149ae..bf33cac8f8bc 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/TableResourcesOperationsTests.cs +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/ScenarioTests/TableResourcesOperationsTests.cs @@ -108,4 +108,4 @@ private void VerifyEqualTables(TableGetResults expectedValue, TableGetResults ac Assert.Equal(expectedValue.Resource._etag, actualValue.Resource._etag); } } -} +} \ No newline at end of file diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/CassandraResourcesOperationsTests/CassandraCRUDTests.json b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/CassandraResourcesOperationsTests/CassandraCRUDTests.json index 00ccc4ebccab..5f309438c24d 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/CassandraResourcesOperationsTests/CassandraCRUDTests.json +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/CassandraResourcesOperationsTests/CassandraCRUDTests.json @@ -1,22 +1,22 @@ { "Entries": [ { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName2527?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIyMDQ4L3RhYmxlcy90YWJsZU5hbWUyNTI3P2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/triggers/triggerName?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3RyaWdnZXJzL3RyaWdnZXJOYW1lP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "DELETE", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "80007033-bb6b-40bd-ab92-b6a072b9e9c7" + "28bbcc58-553f-4bba-974e-ea5a9fb8f4cd" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -27,13 +27,151 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName2527/operationResults/bad0bdb2-d6cd-496c-9f8d-cdeb3c48eae5?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/triggers/triggerName/operationResults/94d60f8a-6b9b-4b5b-a7b8-fa4cb7395b87?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/bad0bdb2-d6cd-496c-9f8d-cdeb3c48eae5?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/94d60f8a-6b9b-4b5b-a7b8-fa4cb7395b87?api-version=2021-04-15" ], "x-ms-request-id": [ - "bad0bdb2-d6cd-496c-9f8d-cdeb3c48eae5" + "94d60f8a-6b9b-4b5b-a7b8-fa4cb7395b87" + ], + "Strict-Transport-Security": [ + "max-age=31536000; includeSubDomains" + ], + "x-ms-gatewayversion": [ + "version=2.11.0" + ], + "Server": [ + "Microsoft-HTTPAPI/2.0" + ], + "x-ms-ratelimit-remaining-subscription-deletes": [ + "14997" + ], + "x-ms-correlation-request-id": [ + "726722ee-8faa-49d0-ac60-6cc2d7aae8c9" + ], + "x-ms-routing-request-id": [ + "WESTCENTRALUS:20210427T174739Z:726722ee-8faa-49d0-ac60-6cc2d7aae8c9" + ], + "X-Content-Type-Options": [ + "nosniff" + ], + "Date": [ + "Tue, 27 Apr 2021 17:47:38 GMT" + ], + "Content-Length": [ + "21" + ], + "Content-Type": [ + "application/json" + ] + }, + "ResponseBody": "{\r\n \"status\": \"Enqueued\"\r\n}", + "StatusCode": 202 + }, + { + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName2?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUyP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", + "RequestMethod": "DELETE", + "RequestBody": "", + "RequestHeaders": { + "x-ms-client-request-id": [ + "6cd1d9bd-b477-4bbe-bd60-f6b1ba6c3c50" + ], + "Accept-Language": [ + "en-US" + ], + "User-Agent": [ + "FxVersion/4.6.29916.01", + "OSName/Windows", + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" + ] + }, + "ResponseHeaders": { + "Cache-Control": [ + "no-store, no-cache" + ], + "Pragma": [ + "no-cache" + ], + "Location": [ + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName2/operationResults/e1c048db-8895-4928-9550-efa5103929f0?api-version=2021-04-15" + ], + "Azure-AsyncOperation": [ + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e1c048db-8895-4928-9550-efa5103929f0?api-version=2021-04-15" + ], + "x-ms-request-id": [ + "e1c048db-8895-4928-9550-efa5103929f0" + ], + "Strict-Transport-Security": [ + "max-age=31536000; includeSubDomains" + ], + "x-ms-gatewayversion": [ + "version=2.11.0" + ], + "Server": [ + "Microsoft-HTTPAPI/2.0" + ], + "x-ms-ratelimit-remaining-subscription-deletes": [ + "14999" + ], + "x-ms-correlation-request-id": [ + "6fee37d4-1f77-4228-86de-05b6d5fa90cc" + ], + "x-ms-routing-request-id": [ + "WESTUS:20210427T174740Z:6fee37d4-1f77-4228-86de-05b6d5fa90cc" + ], + "X-Content-Type-Options": [ + "nosniff" + ], + "Date": [ + "Tue, 27 Apr 2021 17:47:39 GMT" + ], + "Content-Length": [ + "21" + ], + "Content-Type": [ + "application/json" + ] + }, + "ResponseBody": "{\r\n \"status\": \"Enqueued\"\r\n}", + "StatusCode": 202 + }, + { + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", + "RequestMethod": "DELETE", + "RequestBody": "", + "RequestHeaders": { + "x-ms-client-request-id": [ + "79a91908-283b-416e-8cdc-f99e772edc6d" + ], + "Accept-Language": [ + "en-US" + ], + "User-Agent": [ + "FxVersion/4.6.29916.01", + "OSName/Windows", + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" + ] + }, + "ResponseHeaders": { + "Cache-Control": [ + "no-store, no-cache" + ], + "Pragma": [ + "no-cache" + ], + "Location": [ + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/operationResults/60b90905-8556-4544-acec-1d3f9f188f36?api-version=2021-04-15" + ], + "Azure-AsyncOperation": [ + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/60b90905-8556-4544-acec-1d3f9f188f36?api-version=2021-04-15" + ], + "x-ms-request-id": [ + "60b90905-8556-4544-acec-1d3f9f188f36" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -48,16 +186,16 @@ "14999" ], "x-ms-correlation-request-id": [ - "dfaacfa5-3b5d-4038-ab32-3bd0b7b9c91d" + "515d7330-56aa-4784-95ec-ee4122bfef6f" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172436Z:dfaacfa5-3b5d-4038-ab32-3bd0b7b9c91d" + "WESTUS:20210427T174740Z:515d7330-56aa-4784-95ec-ee4122bfef6f" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:24:36 GMT" + "Tue, 27 Apr 2021 17:47:39 GMT" ], "Content-Length": [ "21" @@ -70,22 +208,22 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName22527?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIyMDQ4L3RhYmxlcy90YWJsZU5hbWUyMjUyNz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWU/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", "RequestMethod": "DELETE", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "cb1c1ea3-ca44-425b-9535-e1239c5a1088" + "a9d15954-ff2a-4311-9679-fdf0c73f8868" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -96,13 +234,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName22527/operationResults/9c6ac03e-e091-4d11-a835-714e70d8f6f0?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/operationResults/c90f7d62-88d0-493c-9638-50750e043441?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/9c6ac03e-e091-4d11-a835-714e70d8f6f0?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c90f7d62-88d0-493c-9638-50750e043441?api-version=2021-04-15" ], "x-ms-request-id": [ - "9c6ac03e-e091-4d11-a835-714e70d8f6f0" + "c90f7d62-88d0-493c-9638-50750e043441" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -117,16 +255,16 @@ "14999" ], "x-ms-correlation-request-id": [ - "2036faa0-9f0f-4dbd-aa8f-c2efc9766c08" + "e43c116b-883e-4c52-8685-77ebec203f08" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172437Z:2036faa0-9f0f-4dbd-aa8f-c2efc9766c08" + "WESTUS:20210427T174740Z:e43c116b-883e-4c52-8685-77ebec203f08" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:24:37 GMT" + "Tue, 27 Apr 2021 17:47:39 GMT" ], "Content-Length": [ "21" @@ -139,22 +277,22 @@ "StatusCode": 202 }, { - "RequestUri": "/providers/Microsoft.DocumentDB/databaseAccountNames/db8192?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9kYXRhYmFzZUFjY291bnROYW1lcy9kYjgxOTI/YXBpLXZlcnNpb249MjAyMS0wMy0wMS1wcmV2aWV3", + "RequestUri": "/providers/Microsoft.DocumentDB/databaseAccountNames/db8192?api-version=2021-04-15", + "EncodedRequestUri": "L3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9kYXRhYmFzZUFjY291bnROYW1lcy9kYjgxOTI/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", "RequestMethod": "HEAD", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "d3d0c81a-ae61-4e33-b869-f74cb3a9f0ed" + "dd3681f1-68fe-46ff-a6d1-119773100b65" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -168,7 +306,7 @@ "max-age=31536000; includeSubDomains" ], "x-ms-activity-id": [ - "d3d0c81a-ae61-4e33-b869-f74cb3a9f0ed" + "dd3681f1-68fe-46ff-a6d1-119773100b65" ], "Server": [ "Microsoft-HTTPAPI/2.0" @@ -177,19 +315,19 @@ "11999" ], "x-ms-request-id": [ - "c9442991-049f-452e-9cd5-914af078cce4" + "7104e4e4-7cf9-4cd1-ba3f-2d93ccef4f17" ], "x-ms-correlation-request-id": [ - "c9442991-049f-452e-9cd5-914af078cce4" + "7104e4e4-7cf9-4cd1-ba3f-2d93ccef4f17" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172437Z:c9442991-049f-452e-9cd5-914af078cce4" + "WESTUS:20210427T174740Z:7104e4e4-7cf9-4cd1-ba3f-2d93ccef4f17" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:24:36 GMT" + "Tue, 27 Apr 2021 17:47:39 GMT" ], "Content-Length": [ "0" @@ -199,22 +337,22 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI4MTkyL2Nhc3NhbmRyYUtleXNwYWNlcy9rZXlzcGFjZU5hbWUyNTEwP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI4MTkyL2Nhc3NhbmRyYUtleXNwYWNlcy9rZXlzcGFjZU5hbWUyNTEwP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "PUT", "RequestBody": "{\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"keyspaceName2510\"\r\n },\r\n \"options\": {}\r\n }\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "0e56ee89-ce88-4447-932f-9811c7435257" + "a0ae7e95-567a-4f7c-880a-c3063b2d2ac4" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -231,13 +369,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510/operationResults/02cc70d2-3ec4-4b3f-ba60-1e8a30fb2a5a?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510/operationResults/81a66ce3-8f21-419b-8372-b1510c56ba6b?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/02cc70d2-3ec4-4b3f-ba60-1e8a30fb2a5a?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/81a66ce3-8f21-419b-8372-b1510c56ba6b?api-version=2021-04-15" ], "x-ms-request-id": [ - "02cc70d2-3ec4-4b3f-ba60-1e8a30fb2a5a" + "81a66ce3-8f21-419b-8372-b1510c56ba6b" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -252,16 +390,16 @@ "1199" ], "x-ms-correlation-request-id": [ - "56392421-359b-4964-af76-a2bd97216e7b" + "8ef18277-d913-443d-958f-77d326532fa1" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172438Z:56392421-359b-4964-af76-a2bd97216e7b" + "WESTUS:20210427T174741Z:8ef18277-d913-443d-958f-77d326532fa1" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:24:37 GMT" + "Tue, 27 Apr 2021 17:47:40 GMT" ], "Content-Length": [ "21" @@ -274,16 +412,16 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/02cc70d2-3ec4-4b3f-ba60-1e8a30fb2a5a?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzAyY2M3MGQyLTNlYzQtNGIzZi1iYTYwLTFlOGEzMGZiMmE1YT9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/81a66ce3-8f21-419b-8372-b1510c56ba6b?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzgxYTY2Y2UzLThmMjEtNDE5Yi04MzcyLWIxNTEwYzU2YmE2Yj9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -306,19 +444,19 @@ "11999" ], "x-ms-request-id": [ - "a8d77353-0b19-40b9-9abf-04bf44204df2" + "3d33c631-8e28-4832-9a8d-53b13c900c0f" ], "x-ms-correlation-request-id": [ - "a8d77353-0b19-40b9-9abf-04bf44204df2" + "3d33c631-8e28-4832-9a8d-53b13c900c0f" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172508Z:a8d77353-0b19-40b9-9abf-04bf44204df2" + "WESTUS:20210427T174811Z:3d33c631-8e28-4832-9a8d-53b13c900c0f" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:25:08 GMT" + "Tue, 27 Apr 2021 17:48:11 GMT" ], "Content-Length": [ "22" @@ -331,16 +469,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI4MTkyL2Nhc3NhbmRyYUtleXNwYWNlcy9rZXlzcGFjZU5hbWUyNTEwP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI4MTkyL2Nhc3NhbmRyYUtleXNwYWNlcy9rZXlzcGFjZU5hbWUyNTEwP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -363,19 +501,19 @@ "11998" ], "x-ms-request-id": [ - "f930d480-e613-4945-8394-3dddfda9267f" + "b82e0dc8-0119-4c9e-a5a6-67dbec5ba7f8" ], "x-ms-correlation-request-id": [ - "f930d480-e613-4945-8394-3dddfda9267f" + "b82e0dc8-0119-4c9e-a5a6-67dbec5ba7f8" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172509Z:f930d480-e613-4945-8394-3dddfda9267f" + "WESTUS:20210427T174811Z:b82e0dc8-0119-4c9e-a5a6-67dbec5ba7f8" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:25:08 GMT" + "Tue, 27 Apr 2021 17:48:11 GMT" ], "Content-Length": [ "422" @@ -384,26 +522,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces\",\r\n \"name\": \"keyspaceName2510\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"keyspaceName2510\",\r\n \"_rid\": \"m4IpAA==\",\r\n \"_etag\": \"\\\"00005a00-0000-0200-0000-603fc65b0000\\\"\",\r\n \"_ts\": 1614792283\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces\",\r\n \"name\": \"keyspaceName2510\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"keyspaceName2510\",\r\n \"_rid\": \"Xl87AA==\",\r\n \"_etag\": \"\\\"00000100-0000-0200-0000-60884e430000\\\"\",\r\n \"_ts\": 1619545667\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI4MTkyL2Nhc3NhbmRyYUtleXNwYWNlcy9rZXlzcGFjZU5hbWUyNTEwP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI4MTkyL2Nhc3NhbmRyYUtleXNwYWNlcy9rZXlzcGFjZU5hbWUyNTEwP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "0015dbb6-974a-436f-a718-6c0a1c10d191" + "f0338bea-680c-4047-afb2-300f8e1f663d" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -426,19 +564,19 @@ "11997" ], "x-ms-request-id": [ - "aa944297-bef0-416e-9bf5-4a31d679419e" + "3d05259a-9b2f-42e4-bf9a-56be40a6b825" ], "x-ms-correlation-request-id": [ - "aa944297-bef0-416e-9bf5-4a31d679419e" + "3d05259a-9b2f-42e4-bf9a-56be40a6b825" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172509Z:aa944297-bef0-416e-9bf5-4a31d679419e" + "WESTUS:20210427T174812Z:3d05259a-9b2f-42e4-bf9a-56be40a6b825" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:25:08 GMT" + "Tue, 27 Apr 2021 17:48:11 GMT" ], "Content-Length": [ "422" @@ -447,26 +585,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces\",\r\n \"name\": \"keyspaceName2510\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"keyspaceName2510\",\r\n \"_rid\": \"m4IpAA==\",\r\n \"_etag\": \"\\\"00005a00-0000-0200-0000-603fc65b0000\\\"\",\r\n \"_ts\": 1614792283\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces\",\r\n \"name\": \"keyspaceName2510\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"keyspaceName2510\",\r\n \"_rid\": \"Xl87AA==\",\r\n \"_etag\": \"\\\"00000100-0000-0200-0000-60884e430000\\\"\",\r\n \"_ts\": 1619545667\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName22510?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI4MTkyL2Nhc3NhbmRyYUtleXNwYWNlcy9rZXlzcGFjZU5hbWUyMjUxMD9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName22510?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI4MTkyL2Nhc3NhbmRyYUtleXNwYWNlcy9rZXlzcGFjZU5hbWUyMjUxMD9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "PUT", "RequestBody": "{\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"keyspaceName22510\"\r\n },\r\n \"options\": {\r\n \"throughput\": 700\r\n }\r\n },\r\n \"location\": \"EAST US 2\",\r\n \"tags\": {\r\n \"key3\": \"value3\",\r\n \"key4\": \"value4\"\r\n }\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "55192088-59be-48f8-beb4-18865e6d3b40" + "678f2f81-8c02-4887-8525-ce089c99eb82" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -483,13 +621,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName22510/operationResults/a5c11791-7127-4861-8697-e7a18801f6ad?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName22510/operationResults/6234a1d3-42b9-4090-ab3b-17f87846ecc5?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/a5c11791-7127-4861-8697-e7a18801f6ad?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/6234a1d3-42b9-4090-ab3b-17f87846ecc5?api-version=2021-04-15" ], "x-ms-request-id": [ - "a5c11791-7127-4861-8697-e7a18801f6ad" + "6234a1d3-42b9-4090-ab3b-17f87846ecc5" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -504,16 +642,16 @@ "1198" ], "x-ms-correlation-request-id": [ - "1a4bd91d-ae77-4ac7-a76b-51dc604bc834" + "381e5274-a313-463b-8764-325b58adb702" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172509Z:1a4bd91d-ae77-4ac7-a76b-51dc604bc834" + "WESTUS:20210427T174813Z:381e5274-a313-463b-8764-325b58adb702" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:25:09 GMT" + "Tue, 27 Apr 2021 17:48:12 GMT" ], "Content-Length": [ "21" @@ -526,16 +664,16 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/a5c11791-7127-4861-8697-e7a18801f6ad?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2E1YzExNzkxLTcxMjctNDg2MS04Njk3LWU3YTE4ODAxZjZhZD9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/6234a1d3-42b9-4090-ab3b-17f87846ecc5?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzYyMzRhMWQzLTQyYjktNDA5MC1hYjNiLTE3Zjg3ODQ2ZWNjNT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -558,19 +696,19 @@ "11996" ], "x-ms-request-id": [ - "a8d74ed9-2696-4fc4-b2bb-2022b312dcbd" + "d35314d5-25b3-4cc8-bff4-465fabc1b74e" ], "x-ms-correlation-request-id": [ - "a8d74ed9-2696-4fc4-b2bb-2022b312dcbd" + "d35314d5-25b3-4cc8-bff4-465fabc1b74e" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172540Z:a8d74ed9-2696-4fc4-b2bb-2022b312dcbd" + "WESTUS:20210427T174843Z:d35314d5-25b3-4cc8-bff4-465fabc1b74e" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:25:39 GMT" + "Tue, 27 Apr 2021 17:48:42 GMT" ], "Content-Length": [ "22" @@ -583,16 +721,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName22510?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI4MTkyL2Nhc3NhbmRyYUtleXNwYWNlcy9rZXlzcGFjZU5hbWUyMjUxMD9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName22510?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI4MTkyL2Nhc3NhbmRyYUtleXNwYWNlcy9rZXlzcGFjZU5hbWUyMjUxMD9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -615,19 +753,19 @@ "11995" ], "x-ms-request-id": [ - "3d3394c8-703b-484d-b6c2-e0010e9e7e53" + "7be470de-6188-4819-a080-e3bb9a178830" ], "x-ms-correlation-request-id": [ - "3d3394c8-703b-484d-b6c2-e0010e9e7e53" + "7be470de-6188-4819-a080-e3bb9a178830" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172540Z:3d3394c8-703b-484d-b6c2-e0010e9e7e53" + "WESTUS:20210427T174843Z:7be470de-6188-4819-a080-e3bb9a178830" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:25:40 GMT" + "Tue, 27 Apr 2021 17:48:43 GMT" ], "Content-Length": [ "425" @@ -636,26 +774,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName22510\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces\",\r\n \"name\": \"keyspaceName22510\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"keyspaceName22510\",\r\n \"_rid\": \"-TpTAA==\",\r\n \"_etag\": \"\\\"00005c00-0000-0200-0000-603fc6810000\\\"\",\r\n \"_ts\": 1614792321\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName22510\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces\",\r\n \"name\": \"keyspaceName22510\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"keyspaceName22510\",\r\n \"_rid\": \"mkNJAA==\",\r\n \"_etag\": \"\\\"00000300-0000-0200-0000-60884e670000\\\"\",\r\n \"_ts\": 1619545703\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI4MTkyL2Nhc3NhbmRyYUtleXNwYWNlcz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI4MTkyL2Nhc3NhbmRyYUtleXNwYWNlcz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "63f9103e-b9d0-4dd4-953c-4e6f9ae77480" + "aee71252-edc4-4462-9322-d91aa98450c9" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -678,19 +816,19 @@ "11994" ], "x-ms-request-id": [ - "e6b25e18-95b3-4dc5-a4f8-ff82dc4e5272" + "fd14a9fe-c7ba-4842-9517-dde1f08ca286" ], "x-ms-correlation-request-id": [ - "e6b25e18-95b3-4dc5-a4f8-ff82dc4e5272" + "fd14a9fe-c7ba-4842-9517-dde1f08ca286" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172540Z:e6b25e18-95b3-4dc5-a4f8-ff82dc4e5272" + "WESTUS:20210427T174843Z:fd14a9fe-c7ba-4842-9517-dde1f08ca286" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:25:40 GMT" + "Tue, 27 Apr 2021 17:48:43 GMT" ], "Content-Length": [ "860" @@ -699,26 +837,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces\",\r\n \"name\": \"keyspaceName2510\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"keyspaceName2510\",\r\n \"_rid\": \"m4IpAA==\",\r\n \"_etag\": \"\\\"00005a00-0000-0200-0000-603fc65b0000\\\"\",\r\n \"_ts\": 1614792283\r\n }\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName22510\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces\",\r\n \"name\": \"keyspaceName22510\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"keyspaceName22510\",\r\n \"_rid\": \"-TpTAA==\",\r\n \"_etag\": \"\\\"00005c00-0000-0200-0000-603fc6810000\\\"\",\r\n \"_ts\": 1614792321\r\n }\r\n }\r\n }\r\n ]\r\n}", + "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces\",\r\n \"name\": \"keyspaceName2510\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"keyspaceName2510\",\r\n \"_rid\": \"Xl87AA==\",\r\n \"_etag\": \"\\\"00000100-0000-0200-0000-60884e430000\\\"\",\r\n \"_ts\": 1619545667\r\n }\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName22510\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces\",\r\n \"name\": \"keyspaceName22510\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"keyspaceName22510\",\r\n \"_rid\": \"mkNJAA==\",\r\n \"_etag\": \"\\\"00000300-0000-0200-0000-60884e670000\\\"\",\r\n \"_ts\": 1619545703\r\n }\r\n }\r\n }\r\n ]\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName22510/throughputSettings/default?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI4MTkyL2Nhc3NhbmRyYUtleXNwYWNlcy9rZXlzcGFjZU5hbWUyMjUxMC90aHJvdWdocHV0U2V0dGluZ3MvZGVmYXVsdD9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName22510/throughputSettings/default?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI4MTkyL2Nhc3NhbmRyYUtleXNwYWNlcy9rZXlzcGFjZU5hbWUyMjUxMC90aHJvdWdocHV0U2V0dGluZ3MvZGVmYXVsdD9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "f6dca55c-8381-487d-8b20-5879f845ff90" + "64580ee5-4973-41c3-abce-164f80ed4384" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -741,19 +879,19 @@ "11993" ], "x-ms-request-id": [ - "743e2338-f7f3-4377-9205-28a473bb483f" + "e5f18089-c959-4712-89ca-4c37e25f300f" ], "x-ms-correlation-request-id": [ - "743e2338-f7f3-4377-9205-28a473bb483f" + "e5f18089-c959-4712-89ca-4c37e25f300f" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172540Z:743e2338-f7f3-4377-9205-28a473bb483f" + "WESTUS:20210427T174843Z:e5f18089-c959-4712-89ca-4c37e25f300f" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:25:40 GMT" + "Tue, 27 Apr 2021 17:48:43 GMT" ], "Content-Length": [ "390" @@ -762,26 +900,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName22510/throughputSettings/default\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/throughputSettings\",\r\n \"name\": \"bqY9\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"throughput\": 700,\r\n \"minimumThroughput\": \"400\"\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName22510/throughputSettings/default\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/throughputSettings\",\r\n \"name\": \"LHsU\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"throughput\": 700,\r\n \"minimumThroughput\": \"400\"\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510/tables/tableName2510?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI4MTkyL2Nhc3NhbmRyYUtleXNwYWNlcy9rZXlzcGFjZU5hbWUyNTEwL3RhYmxlcy90YWJsZU5hbWUyNTEwP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510/tables/tableName2510?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI4MTkyL2Nhc3NhbmRyYUtleXNwYWNlcy9rZXlzcGFjZU5hbWUyNTEwL3RhYmxlcy90YWJsZU5hbWUyNTEwP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "PUT", "RequestBody": "{\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"tableName2510\",\r\n \"schema\": {\r\n \"columns\": [\r\n {\r\n \"name\": \"columnA\",\r\n \"type\": \"int\"\r\n },\r\n {\r\n \"name\": \"columnB\",\r\n \"type\": \"ascii\"\r\n }\r\n ],\r\n \"partitionKeys\": [\r\n {\r\n \"name\": \"columnA\"\r\n }\r\n ],\r\n \"clusterKeys\": [\r\n {\r\n \"name\": \"columnB\",\r\n \"orderBy\": \"Asc\"\r\n }\r\n ]\r\n }\r\n },\r\n \"options\": {}\r\n }\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "b4131b33-4393-492f-a094-2695979bb0a7" + "2d870b9a-8316-4a94-ad84-fd2236a90890" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -798,13 +936,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510/tables/tableName2510/operationResults/9ee5defd-47a4-4cbf-8f15-eb932bde7d0b?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510/tables/tableName2510/operationResults/12940a6f-780b-41cb-b01a-a1b9a0d215ac?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/9ee5defd-47a4-4cbf-8f15-eb932bde7d0b?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/12940a6f-780b-41cb-b01a-a1b9a0d215ac?api-version=2021-04-15" ], "x-ms-request-id": [ - "9ee5defd-47a4-4cbf-8f15-eb932bde7d0b" + "12940a6f-780b-41cb-b01a-a1b9a0d215ac" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -819,16 +957,16 @@ "1197" ], "x-ms-correlation-request-id": [ - "3a13b821-a26a-4bdb-9419-ecc214354790" + "11e39df1-0f5b-43fc-8acb-e2116be4c6dc" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172541Z:3a13b821-a26a-4bdb-9419-ecc214354790" + "WESTUS:20210427T174844Z:11e39df1-0f5b-43fc-8acb-e2116be4c6dc" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:25:41 GMT" + "Tue, 27 Apr 2021 17:48:44 GMT" ], "Content-Length": [ "21" @@ -841,16 +979,16 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/9ee5defd-47a4-4cbf-8f15-eb932bde7d0b?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzllZTVkZWZkLTQ3YTQtNGNiZi04ZjE1LWViOTMyYmRlN2QwYj9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/12940a6f-780b-41cb-b01a-a1b9a0d215ac?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzEyOTQwYTZmLTc4MGItNDFjYi1iMDFhLWExYjlhMGQyMTVhYz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -873,19 +1011,19 @@ "11992" ], "x-ms-request-id": [ - "9a62b921-ac50-4601-88cb-f2295fa79093" + "51d982fa-7dd7-437f-bc9b-7bd2748d75f2" ], "x-ms-correlation-request-id": [ - "9a62b921-ac50-4601-88cb-f2295fa79093" + "51d982fa-7dd7-437f-bc9b-7bd2748d75f2" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172611Z:9a62b921-ac50-4601-88cb-f2295fa79093" + "WESTUS:20210427T174914Z:51d982fa-7dd7-437f-bc9b-7bd2748d75f2" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:26:10 GMT" + "Tue, 27 Apr 2021 17:49:14 GMT" ], "Content-Length": [ "22" @@ -898,16 +1036,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510/tables/tableName2510?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI4MTkyL2Nhc3NhbmRyYUtleXNwYWNlcy9rZXlzcGFjZU5hbWUyNTEwL3RhYmxlcy90YWJsZU5hbWUyNTEwP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510/tables/tableName2510?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI4MTkyL2Nhc3NhbmRyYUtleXNwYWNlcy9rZXlzcGFjZU5hbWUyNTEwL3RhYmxlcy90YWJsZU5hbWUyNTEwP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -930,47 +1068,47 @@ "11991" ], "x-ms-request-id": [ - "65b6c31f-ed27-4ac4-8381-bb680d3c3ee1" + "628a13e4-b3af-4469-8913-dffa7d0e2d96" ], "x-ms-correlation-request-id": [ - "65b6c31f-ed27-4ac4-8381-bb680d3c3ee1" + "628a13e4-b3af-4469-8913-dffa7d0e2d96" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172611Z:65b6c31f-ed27-4ac4-8381-bb680d3c3ee1" + "WESTUS:20210427T174915Z:628a13e4-b3af-4469-8913-dffa7d0e2d96" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:26:11 GMT" + "Tue, 27 Apr 2021 17:49:14 GMT" ], "Content-Length": [ - "641" + "640" ], "Content-Type": [ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510/tables/tableName2510\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables\",\r\n \"name\": \"tableName2510\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"tableName2510\",\r\n \"_rid\": \"m4IpAKW1Um8=\",\r\n \"_etag\": \"\\\"00006000-0000-0200-0000-603fc69c0000\\\"\",\r\n \"_ts\": 1614792348,\r\n \"defaultTtl\": -1,\r\n \"schema\": {\r\n \"columns\": [\r\n {\r\n \"name\": \"columnA\",\r\n \"type\": \"int\"\r\n },\r\n {\r\n \"name\": \"columnB\",\r\n \"type\": \"ascii\"\r\n }\r\n ],\r\n \"partitionKeys\": [\r\n {\r\n \"name\": \"columnA\"\r\n }\r\n ],\r\n \"clusterKeys\": [\r\n {\r\n \"name\": \"columnB\",\r\n \"orderBy\": \"Asc\"\r\n }\r\n ]\r\n }\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510/tables/tableName2510\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables\",\r\n \"name\": \"tableName2510\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"tableName2510\",\r\n \"_rid\": \"Xl87AKuKufw=\",\r\n \"_etag\": \"\\\"00000700-0000-0200-0000-60884e810000\\\"\",\r\n \"_ts\": 1619545729,\r\n \"defaultTtl\": 0,\r\n \"schema\": {\r\n \"columns\": [\r\n {\r\n \"name\": \"columnA\",\r\n \"type\": \"int\"\r\n },\r\n {\r\n \"name\": \"columnB\",\r\n \"type\": \"ascii\"\r\n }\r\n ],\r\n \"partitionKeys\": [\r\n {\r\n \"name\": \"columnA\"\r\n }\r\n ],\r\n \"clusterKeys\": [\r\n {\r\n \"name\": \"columnB\",\r\n \"orderBy\": \"Asc\"\r\n }\r\n ]\r\n }\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510/tables?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI4MTkyL2Nhc3NhbmRyYUtleXNwYWNlcy9rZXlzcGFjZU5hbWUyNTEwL3RhYmxlcz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510/tables?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI4MTkyL2Nhc3NhbmRyYUtleXNwYWNlcy9rZXlzcGFjZU5hbWUyNTEwL3RhYmxlcz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "5068c539-2eab-48ae-9f63-76c6cb544a42" + "41ff11da-2ceb-44c6-be4b-cbbb85e463f6" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -993,28 +1131,28 @@ "11990" ], "x-ms-request-id": [ - "67a96a42-ddef-4e49-837f-3030f2ea47c0" + "7fe843da-5ad0-4e45-87ca-31265c4334ba" ], "x-ms-correlation-request-id": [ - "67a96a42-ddef-4e49-837f-3030f2ea47c0" + "7fe843da-5ad0-4e45-87ca-31265c4334ba" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172612Z:67a96a42-ddef-4e49-837f-3030f2ea47c0" + "WESTUS:20210427T174915Z:7fe843da-5ad0-4e45-87ca-31265c4334ba" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:26:11 GMT" + "Tue, 27 Apr 2021 17:49:14 GMT" ], "Content-Length": [ - "653" + "652" ], "Content-Type": [ "application/json" ] }, - "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510/tables/tableName2510\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables\",\r\n \"name\": \"tableName2510\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"tableName2510\",\r\n \"_rid\": \"m4IpAKW1Um8=\",\r\n \"_etag\": \"\\\"00006000-0000-0200-0000-603fc69c0000\\\"\",\r\n \"_ts\": 1614792348,\r\n \"defaultTtl\": -1,\r\n \"schema\": {\r\n \"columns\": [\r\n {\r\n \"name\": \"columnA\",\r\n \"type\": \"int\"\r\n },\r\n {\r\n \"name\": \"columnB\",\r\n \"type\": \"ascii\"\r\n }\r\n ],\r\n \"partitionKeys\": [\r\n {\r\n \"name\": \"columnA\"\r\n }\r\n ],\r\n \"clusterKeys\": [\r\n {\r\n \"name\": \"columnB\",\r\n \"orderBy\": \"Asc\"\r\n }\r\n ]\r\n }\r\n }\r\n }\r\n }\r\n ]\r\n}", + "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510/tables/tableName2510\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables\",\r\n \"name\": \"tableName2510\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"tableName2510\",\r\n \"_rid\": \"Xl87AKuKufw=\",\r\n \"_etag\": \"\\\"00000700-0000-0200-0000-60884e810000\\\"\",\r\n \"_ts\": 1619545729,\r\n \"defaultTtl\": 0,\r\n \"schema\": {\r\n \"columns\": [\r\n {\r\n \"name\": \"columnA\",\r\n \"type\": \"int\"\r\n },\r\n {\r\n \"name\": \"columnB\",\r\n \"type\": \"ascii\"\r\n }\r\n ],\r\n \"partitionKeys\": [\r\n {\r\n \"name\": \"columnA\"\r\n }\r\n ],\r\n \"clusterKeys\": [\r\n {\r\n \"name\": \"columnB\",\r\n \"orderBy\": \"Asc\"\r\n }\r\n ]\r\n }\r\n }\r\n }\r\n }\r\n ]\r\n}", "StatusCode": 200 } ], diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/DatabaseAccountOperationsTests/DatabaseAccountCRUDTests.json b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/DatabaseAccountOperationsTests/DatabaseAccountCRUDTests.json index 22c750ca3053..b57a0a4dbbcc 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/DatabaseAccountOperationsTests/DatabaseAccountCRUDTests.json +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/DatabaseAccountOperationsTests/DatabaseAccountCRUDTests.json @@ -1,21 +1,21 @@ { "Entries": [ { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourcegroups/CosmosDBResourceGroup3025?api-version=2015-11-01", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlZ3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDMwMjU/YXBpLXZlcnNpb249MjAxNS0xMS0wMQ==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourcegroups/CosmosDBResourceGroup6394?api-version=2015-11-01", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlZ3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDYzOTQ/YXBpLXZlcnNpb249MjAxNS0xMS0wMQ==", "RequestMethod": "HEAD", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "ef89a31a-c7d3-4031-946a-61ac96d06fdb" + "fced846c-4e19-4e56-9c3f-be42812c4a35" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", + "OSVersion/Microsoft.Windows.10.0.19042.", "Microsoft.Azure.Management.Resources.ResourceManagementClient/1.0.0.0" ] }, @@ -33,13 +33,13 @@ "11999" ], "x-ms-request-id": [ - "497f304f-be73-4b1e-bc45-f52468c89620" + "db603aef-8d6e-4276-a46d-cbeb531212c6" ], "x-ms-correlation-request-id": [ - "497f304f-be73-4b1e-bc45-f52468c89620" + "db603aef-8d6e-4276-a46d-cbeb531212c6" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T175147Z:497f304f-be73-4b1e-bc45-f52468c89620" + "WESTCENTRALUS:20210427T171654Z:db603aef-8d6e-4276-a46d-cbeb531212c6" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -48,7 +48,7 @@ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:51:46 GMT" + "Tue, 27 Apr 2021 17:16:53 GMT" ], "Content-Length": [ "117" @@ -64,21 +64,21 @@ "StatusCode": 404 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourcegroups/CosmosDBResourceGroup3025?api-version=2015-11-01", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlZ3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDMwMjU/YXBpLXZlcnNpb249MjAxNS0xMS0wMQ==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourcegroups/CosmosDBResourceGroup6394?api-version=2015-11-01", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlZ3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDYzOTQ/YXBpLXZlcnNpb249MjAxNS0xMS0wMQ==", "RequestMethod": "PUT", "RequestBody": "{\r\n \"location\": \"eastus2\"\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "08e71792-2479-490e-a4cf-59af0d137eb5" + "2537d2c9-4dd7-4236-ae45-0a4a9e6cd3b8" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", + "OSVersion/Microsoft.Windows.10.0.19042.", "Microsoft.Azure.Management.Resources.ResourceManagementClient/1.0.0.0" ], "Content-Type": [ @@ -99,13 +99,13 @@ "1199" ], "x-ms-request-id": [ - "2715b7e1-ebb1-48da-988c-be3866a3a289" + "99db5df8-cb6c-4bff-9eb4-ceb4b4da5d80" ], "x-ms-correlation-request-id": [ - "2715b7e1-ebb1-48da-988c-be3866a3a289" + "99db5df8-cb6c-4bff-9eb4-ceb4b4da5d80" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T175148Z:2715b7e1-ebb1-48da-988c-be3866a3a289" + "WESTCENTRALUS:20210427T171656Z:99db5df8-cb6c-4bff-9eb4-ceb4b4da5d80" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -114,7 +114,7 @@ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:51:47 GMT" + "Tue, 27 Apr 2021 17:16:56 GMT" ], "Content-Length": [ "204" @@ -126,32 +126,32 @@ "-1" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025\",\r\n \"name\": \"CosmosDBResourceGroup3025\",\r\n \"location\": \"eastus2\",\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\"\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394\",\r\n \"name\": \"CosmosDBResourceGroup6394\",\r\n \"location\": \"eastus2\",\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\"\r\n }\r\n}", "StatusCode": 201 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts/accountname4367?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDMwMjUvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU0MzY3P2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394/providers/Microsoft.DocumentDB/databaseAccounts/accountname9088?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDYzOTQvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU5MDg4P2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "PUT", - "RequestBody": "{\r\n \"kind\": \"MongoDB\",\r\n \"properties\": {\r\n \"createMode\": \"Default\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxStalenessPrefix\": 300,\r\n \"maxIntervalInSeconds\": 1000\r\n },\r\n \"locations\": [\r\n {\r\n \"locationName\": \"EAST US 2\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"isVirtualNetworkFilterEnabled\": true,\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"databaseAccountOfferType\": \"Standard\"\r\n },\r\n \"location\": \"EAST US 2\",\r\n \"tags\": {\r\n \"key1\": \"value1\",\r\n \"key2\": \"value2\"\r\n }\r\n}", + "RequestBody": "{\r\n \"kind\": \"MongoDB\",\r\n \"properties\": {\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxStalenessPrefix\": 300,\r\n \"maxIntervalInSeconds\": 1000\r\n },\r\n \"locations\": [\r\n {\r\n \"locationName\": \"East US 2\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"isVirtualNetworkFilterEnabled\": true,\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"networkAclBypass\": \"AzureServices\",\r\n \"networkAclBypassResourceIds\": [\r\n \"/subscriptions/subId/resourcegroups/rgName/providers/Microsoft.Synapse/workspaces/workspaceName\"\r\n ],\r\n \"databaseAccountOfferType\": \"Standard\"\r\n },\r\n \"location\": \"EAST US 2\",\r\n \"tags\": {\r\n \"key1\": \"value1\",\r\n \"key2\": \"value2\"\r\n }\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "8443361e-dd6c-4361-810e-ba9453ff7ce6" + "8d89d502-b25f-46d1-8bf6-a6adc135b0eb" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" ], "Content-Length": [ - "795" + "958" ] }, "ResponseHeaders": { @@ -162,13 +162,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts/accountname4367/operationResults/c48b6d1d-55ef-45bc-aa80-5aece49a9fd7?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394/providers/Microsoft.DocumentDB/databaseAccounts/accountname9088/operationResults/e41e39b6-2e43-494e-9923-0dc3f1469f47?api-version=2021-04-15" ], "x-ms-request-id": [ - "c48b6d1d-55ef-45bc-aa80-5aece49a9fd7" + "e41e39b6-2e43-494e-9923-0dc3f1469f47" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c48b6d1d-55ef-45bc-aa80-5aece49a9fd7?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e41e39b6-2e43-494e-9923-0dc3f1469f47?api-version=2021-04-15" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -183,38 +183,38 @@ "1199" ], "x-ms-correlation-request-id": [ - "6d33daf8-a296-48d0-8512-7dfd609433a6" + "59e42a3a-6bdf-4f72-9ccd-a40ce736054a" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T175155Z:6d33daf8-a296-48d0-8512-7dfd609433a6" + "WESTCENTRALUS:20210427T171705Z:59e42a3a-6bdf-4f72-9ccd-a40ce736054a" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:51:55 GMT" + "Tue, 27 Apr 2021 17:17:04 GMT" ], "Content-Length": [ - "2065" + "2241" ], "Content-Type": [ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts/accountname4367\",\r\n \"name\": \"accountname4367\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"key1\": \"value1\",\r\n \"key2\": \"value2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T17:51:52.3921593Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Creating\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": true,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8eb7f020-b6ed-4c22-a9de-f547f626719b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 1000,\r\n \"maxStalenessPrefix\": 300\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"provisioningState\": \"Creating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"provisioningState\": \"Creating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"provisioningState\": \"Creating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394/providers/Microsoft.DocumentDB/databaseAccounts/accountname9088\",\r\n \"name\": \"accountname9088\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"key1\": \"value1\",\r\n \"key2\": \"value2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-27T17:17:01.5647502Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Creating\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": true,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c3f52ca9-535e-46c4-85d4-8b8c6a46d967\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"AzureServices\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 1000,\r\n \"maxStalenessPrefix\": 300\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"provisioningState\": \"Creating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"provisioningState\": \"Creating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"provisioningState\": \"Creating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": [\r\n \"/subscriptions/subId/resourcegroups/rgName/providers/Microsoft.Synapse/workspaces/workspaceName\"\r\n ]\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c48b6d1d-55ef-45bc-aa80-5aece49a9fd7?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2M0OGI2ZDFkLTU1ZWYtNDViYy1hYTgwLTVhZWNlNDlhOWZkNz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e41e39b6-2e43-494e-9923-0dc3f1469f47?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2U0MWUzOWI2LTJlNDMtNDk0ZS05OTIzLTBkYzNmMTQ2OWY0Nz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -237,19 +237,19 @@ "11999" ], "x-ms-request-id": [ - "e4c01fcb-0182-4407-9cbb-0754a78caf03" + "eb91b81e-1804-43ea-9d17-5178fdf24df9" ], "x-ms-correlation-request-id": [ - "e4c01fcb-0182-4407-9cbb-0754a78caf03" + "eb91b81e-1804-43ea-9d17-5178fdf24df9" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T175225Z:e4c01fcb-0182-4407-9cbb-0754a78caf03" + "WESTCENTRALUS:20210427T171735Z:eb91b81e-1804-43ea-9d17-5178fdf24df9" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:52:25 GMT" + "Tue, 27 Apr 2021 17:17:35 GMT" ], "Content-Length": [ "21" @@ -262,16 +262,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c48b6d1d-55ef-45bc-aa80-5aece49a9fd7?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2M0OGI2ZDFkLTU1ZWYtNDViYy1hYTgwLTVhZWNlNDlhOWZkNz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e41e39b6-2e43-494e-9923-0dc3f1469f47?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2U0MWUzOWI2LTJlNDMtNDk0ZS05OTIzLTBkYzNmMTQ2OWY0Nz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -294,19 +294,19 @@ "11998" ], "x-ms-request-id": [ - "6f0fc243-57ec-4a88-89fa-4d0a6d87b487" + "fb7037c6-6c20-4b6b-b51a-ffcefa3adb73" ], "x-ms-correlation-request-id": [ - "6f0fc243-57ec-4a88-89fa-4d0a6d87b487" + "fb7037c6-6c20-4b6b-b51a-ffcefa3adb73" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T175255Z:6f0fc243-57ec-4a88-89fa-4d0a6d87b487" + "WESTCENTRALUS:20210427T171805Z:fb7037c6-6c20-4b6b-b51a-ffcefa3adb73" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:52:55 GMT" + "Tue, 27 Apr 2021 17:18:05 GMT" ], "Content-Length": [ "21" @@ -319,16 +319,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c48b6d1d-55ef-45bc-aa80-5aece49a9fd7?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2M0OGI2ZDFkLTU1ZWYtNDViYy1hYTgwLTVhZWNlNDlhOWZkNz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e41e39b6-2e43-494e-9923-0dc3f1469f47?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2U0MWUzOWI2LTJlNDMtNDk0ZS05OTIzLTBkYzNmMTQ2OWY0Nz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -351,19 +351,19 @@ "11997" ], "x-ms-request-id": [ - "f3e7f9ee-9472-4b46-aa34-335a75e4282f" + "f64bbaa8-682c-41a8-b344-bae02b908e99" ], "x-ms-correlation-request-id": [ - "f3e7f9ee-9472-4b46-aa34-335a75e4282f" + "f64bbaa8-682c-41a8-b344-bae02b908e99" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T175326Z:f3e7f9ee-9472-4b46-aa34-335a75e4282f" + "WESTCENTRALUS:20210427T171835Z:f64bbaa8-682c-41a8-b344-bae02b908e99" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:53:25 GMT" + "Tue, 27 Apr 2021 17:18:35 GMT" ], "Content-Length": [ "21" @@ -376,16 +376,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c48b6d1d-55ef-45bc-aa80-5aece49a9fd7?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2M0OGI2ZDFkLTU1ZWYtNDViYy1hYTgwLTVhZWNlNDlhOWZkNz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e41e39b6-2e43-494e-9923-0dc3f1469f47?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2U0MWUzOWI2LTJlNDMtNDk0ZS05OTIzLTBkYzNmMTQ2OWY0Nz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -408,19 +408,19 @@ "11996" ], "x-ms-request-id": [ - "40eb5fa9-a3d2-4142-afee-40e786692c29" + "c4da72a6-4b36-4048-951a-fb9bea1f0103" ], "x-ms-correlation-request-id": [ - "40eb5fa9-a3d2-4142-afee-40e786692c29" + "c4da72a6-4b36-4048-951a-fb9bea1f0103" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T175356Z:40eb5fa9-a3d2-4142-afee-40e786692c29" + "WESTCENTRALUS:20210427T171905Z:c4da72a6-4b36-4048-951a-fb9bea1f0103" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:53:55 GMT" + "Tue, 27 Apr 2021 17:19:05 GMT" ], "Content-Length": [ "21" @@ -433,16 +433,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c48b6d1d-55ef-45bc-aa80-5aece49a9fd7?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2M0OGI2ZDFkLTU1ZWYtNDViYy1hYTgwLTVhZWNlNDlhOWZkNz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e41e39b6-2e43-494e-9923-0dc3f1469f47?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2U0MWUzOWI2LTJlNDMtNDk0ZS05OTIzLTBkYzNmMTQ2OWY0Nz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -465,19 +465,19 @@ "11995" ], "x-ms-request-id": [ - "8a081361-c629-47cb-b659-78cfd3d0ebe1" + "b6912713-9498-497a-9bcb-b0fdf4e7744b" ], "x-ms-correlation-request-id": [ - "8a081361-c629-47cb-b659-78cfd3d0ebe1" + "b6912713-9498-497a-9bcb-b0fdf4e7744b" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T175426Z:8a081361-c629-47cb-b659-78cfd3d0ebe1" + "WESTCENTRALUS:20210427T171936Z:b6912713-9498-497a-9bcb-b0fdf4e7744b" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:54:25 GMT" + "Tue, 27 Apr 2021 17:19:35 GMT" ], "Content-Length": [ "21" @@ -490,16 +490,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c48b6d1d-55ef-45bc-aa80-5aece49a9fd7?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2M0OGI2ZDFkLTU1ZWYtNDViYy1hYTgwLTVhZWNlNDlhOWZkNz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e41e39b6-2e43-494e-9923-0dc3f1469f47?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2U0MWUzOWI2LTJlNDMtNDk0ZS05OTIzLTBkYzNmMTQ2OWY0Nz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -522,19 +522,19 @@ "11994" ], "x-ms-request-id": [ - "e1f5a3b5-800b-4b31-a1d9-e3ab1ce50cb0" + "43fedda9-db66-4ab0-947c-c404b75eaaf4" ], "x-ms-correlation-request-id": [ - "e1f5a3b5-800b-4b31-a1d9-e3ab1ce50cb0" + "43fedda9-db66-4ab0-947c-c404b75eaaf4" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T175456Z:e1f5a3b5-800b-4b31-a1d9-e3ab1ce50cb0" + "WESTCENTRALUS:20210427T172006Z:43fedda9-db66-4ab0-947c-c404b75eaaf4" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:54:56 GMT" + "Tue, 27 Apr 2021 17:20:05 GMT" ], "Content-Length": [ "21" @@ -547,16 +547,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c48b6d1d-55ef-45bc-aa80-5aece49a9fd7?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2M0OGI2ZDFkLTU1ZWYtNDViYy1hYTgwLTVhZWNlNDlhOWZkNz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e41e39b6-2e43-494e-9923-0dc3f1469f47?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2U0MWUzOWI2LTJlNDMtNDk0ZS05OTIzLTBkYzNmMTQ2OWY0Nz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -579,19 +579,19 @@ "11993" ], "x-ms-request-id": [ - "cd86a4ac-7efd-4932-8097-5d62660e8561" + "01deba08-5a4d-43bd-a850-860b1f185ab8" ], "x-ms-correlation-request-id": [ - "cd86a4ac-7efd-4932-8097-5d62660e8561" + "01deba08-5a4d-43bd-a850-860b1f185ab8" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T175526Z:cd86a4ac-7efd-4932-8097-5d62660e8561" + "WESTCENTRALUS:20210427T172036Z:01deba08-5a4d-43bd-a850-860b1f185ab8" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:55:25 GMT" + "Tue, 27 Apr 2021 17:20:35 GMT" ], "Content-Length": [ "21" @@ -604,16 +604,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c48b6d1d-55ef-45bc-aa80-5aece49a9fd7?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2M0OGI2ZDFkLTU1ZWYtNDViYy1hYTgwLTVhZWNlNDlhOWZkNz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e41e39b6-2e43-494e-9923-0dc3f1469f47?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2U0MWUzOWI2LTJlNDMtNDk0ZS05OTIzLTBkYzNmMTQ2OWY0Nz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -636,19 +636,19 @@ "11992" ], "x-ms-request-id": [ - "781128bb-008a-420b-9eea-4b90e6d5fc40" + "11c208b4-efda-4511-bdf9-8fde16086871" ], "x-ms-correlation-request-id": [ - "781128bb-008a-420b-9eea-4b90e6d5fc40" + "11c208b4-efda-4511-bdf9-8fde16086871" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T175556Z:781128bb-008a-420b-9eea-4b90e6d5fc40" + "WESTCENTRALUS:20210427T172106Z:11c208b4-efda-4511-bdf9-8fde16086871" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:55:56 GMT" + "Tue, 27 Apr 2021 17:21:06 GMT" ], "Content-Length": [ "21" @@ -661,16 +661,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c48b6d1d-55ef-45bc-aa80-5aece49a9fd7?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2M0OGI2ZDFkLTU1ZWYtNDViYy1hYTgwLTVhZWNlNDlhOWZkNz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e41e39b6-2e43-494e-9923-0dc3f1469f47?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2U0MWUzOWI2LTJlNDMtNDk0ZS05OTIzLTBkYzNmMTQ2OWY0Nz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -693,19 +693,19 @@ "11991" ], "x-ms-request-id": [ - "dbfe94e5-57c5-49b9-a8de-e436b28df438" + "41f9f06f-608c-4035-884f-cdd4b30198c6" ], "x-ms-correlation-request-id": [ - "dbfe94e5-57c5-49b9-a8de-e436b28df438" + "41f9f06f-608c-4035-884f-cdd4b30198c6" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T175626Z:dbfe94e5-57c5-49b9-a8de-e436b28df438" + "WESTCENTRALUS:20210427T172136Z:41f9f06f-608c-4035-884f-cdd4b30198c6" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:56:26 GMT" + "Tue, 27 Apr 2021 17:21:36 GMT" ], "Content-Length": [ "21" @@ -718,16 +718,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c48b6d1d-55ef-45bc-aa80-5aece49a9fd7?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2M0OGI2ZDFkLTU1ZWYtNDViYy1hYTgwLTVhZWNlNDlhOWZkNz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e41e39b6-2e43-494e-9923-0dc3f1469f47?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2U0MWUzOWI2LTJlNDMtNDk0ZS05OTIzLTBkYzNmMTQ2OWY0Nz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -750,19 +750,19 @@ "11990" ], "x-ms-request-id": [ - "45afc25f-8cb6-4b52-abf3-19a30dac6bc5" + "0300e4df-b204-4eed-89cb-07f7a588b319" ], "x-ms-correlation-request-id": [ - "45afc25f-8cb6-4b52-abf3-19a30dac6bc5" + "0300e4df-b204-4eed-89cb-07f7a588b319" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T175656Z:45afc25f-8cb6-4b52-abf3-19a30dac6bc5" + "WESTCENTRALUS:20210427T172206Z:0300e4df-b204-4eed-89cb-07f7a588b319" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:56:56 GMT" + "Tue, 27 Apr 2021 17:22:05 GMT" ], "Content-Length": [ "21" @@ -775,16 +775,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c48b6d1d-55ef-45bc-aa80-5aece49a9fd7?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2M0OGI2ZDFkLTU1ZWYtNDViYy1hYTgwLTVhZWNlNDlhOWZkNz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e41e39b6-2e43-494e-9923-0dc3f1469f47?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2U0MWUzOWI2LTJlNDMtNDk0ZS05OTIzLTBkYzNmMTQ2OWY0Nz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -807,19 +807,19 @@ "11989" ], "x-ms-request-id": [ - "82339225-d9cf-47ed-9c56-7126320cbc06" + "548e6b77-aed1-4763-ade2-d45c8c7b1eb2" ], "x-ms-correlation-request-id": [ - "82339225-d9cf-47ed-9c56-7126320cbc06" + "548e6b77-aed1-4763-ade2-d45c8c7b1eb2" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T175726Z:82339225-d9cf-47ed-9c56-7126320cbc06" + "WESTCENTRALUS:20210427T172236Z:548e6b77-aed1-4763-ade2-d45c8c7b1eb2" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:57:26 GMT" + "Tue, 27 Apr 2021 17:22:36 GMT" ], "Content-Length": [ "21" @@ -832,16 +832,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c48b6d1d-55ef-45bc-aa80-5aece49a9fd7?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2M0OGI2ZDFkLTU1ZWYtNDViYy1hYTgwLTVhZWNlNDlhOWZkNz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e41e39b6-2e43-494e-9923-0dc3f1469f47?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2U0MWUzOWI2LTJlNDMtNDk0ZS05OTIzLTBkYzNmMTQ2OWY0Nz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -864,19 +864,19 @@ "11988" ], "x-ms-request-id": [ - "3e41a035-2957-4f6d-b4d4-6dd3bb537962" + "21d27e61-d90a-4638-b464-09135e0c4844" ], "x-ms-correlation-request-id": [ - "3e41a035-2957-4f6d-b4d4-6dd3bb537962" + "21d27e61-d90a-4638-b464-09135e0c4844" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T175757Z:3e41a035-2957-4f6d-b4d4-6dd3bb537962" + "WESTCENTRALUS:20210427T172307Z:21d27e61-d90a-4638-b464-09135e0c4844" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:57:57 GMT" + "Tue, 27 Apr 2021 17:23:06 GMT" ], "Content-Length": [ "21" @@ -889,16 +889,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c48b6d1d-55ef-45bc-aa80-5aece49a9fd7?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2M0OGI2ZDFkLTU1ZWYtNDViYy1hYTgwLTVhZWNlNDlhOWZkNz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e41e39b6-2e43-494e-9923-0dc3f1469f47?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2U0MWUzOWI2LTJlNDMtNDk0ZS05OTIzLTBkYzNmMTQ2OWY0Nz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -921,19 +921,19 @@ "11987" ], "x-ms-request-id": [ - "4710bd92-b4f8-4fd3-86c1-639610d86f56" + "d8257c38-88e8-46c7-a5b4-c3e67e0bee6c" ], "x-ms-correlation-request-id": [ - "4710bd92-b4f8-4fd3-86c1-639610d86f56" + "d8257c38-88e8-46c7-a5b4-c3e67e0bee6c" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T175827Z:4710bd92-b4f8-4fd3-86c1-639610d86f56" + "WESTCENTRALUS:20210427T172337Z:d8257c38-88e8-46c7-a5b4-c3e67e0bee6c" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:58:27 GMT" + "Tue, 27 Apr 2021 17:23:36 GMT" ], "Content-Length": [ "21" @@ -946,16 +946,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c48b6d1d-55ef-45bc-aa80-5aece49a9fd7?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2M0OGI2ZDFkLTU1ZWYtNDViYy1hYTgwLTVhZWNlNDlhOWZkNz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e41e39b6-2e43-494e-9923-0dc3f1469f47?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2U0MWUzOWI2LTJlNDMtNDk0ZS05OTIzLTBkYzNmMTQ2OWY0Nz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -978,19 +978,19 @@ "11986" ], "x-ms-request-id": [ - "af6577aa-f2e3-4565-bc12-345a4432a6d5" + "8d399985-89df-4ec8-bf8d-81f54247c05e" ], "x-ms-correlation-request-id": [ - "af6577aa-f2e3-4565-bc12-345a4432a6d5" + "8d399985-89df-4ec8-bf8d-81f54247c05e" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T175857Z:af6577aa-f2e3-4565-bc12-345a4432a6d5" + "WESTCENTRALUS:20210427T172407Z:8d399985-89df-4ec8-bf8d-81f54247c05e" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:58:56 GMT" + "Tue, 27 Apr 2021 17:24:06 GMT" ], "Content-Length": [ "21" @@ -1003,16 +1003,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c48b6d1d-55ef-45bc-aa80-5aece49a9fd7?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2M0OGI2ZDFkLTU1ZWYtNDViYy1hYTgwLTVhZWNlNDlhOWZkNz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e41e39b6-2e43-494e-9923-0dc3f1469f47?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2U0MWUzOWI2LTJlNDMtNDk0ZS05OTIzLTBkYzNmMTQ2OWY0Nz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1035,19 +1035,19 @@ "11985" ], "x-ms-request-id": [ - "a86fc8e4-fd3c-4393-9b8d-8df198b32fd1" + "587d8947-0be3-4bf0-bbbd-490b97c9c910" ], "x-ms-correlation-request-id": [ - "a86fc8e4-fd3c-4393-9b8d-8df198b32fd1" + "587d8947-0be3-4bf0-bbbd-490b97c9c910" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T175927Z:a86fc8e4-fd3c-4393-9b8d-8df198b32fd1" + "WESTCENTRALUS:20210427T172437Z:587d8947-0be3-4bf0-bbbd-490b97c9c910" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:59:27 GMT" + "Tue, 27 Apr 2021 17:24:36 GMT" ], "Content-Length": [ "21" @@ -1060,16 +1060,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c48b6d1d-55ef-45bc-aa80-5aece49a9fd7?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2M0OGI2ZDFkLTU1ZWYtNDViYy1hYTgwLTVhZWNlNDlhOWZkNz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e41e39b6-2e43-494e-9923-0dc3f1469f47?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2U0MWUzOWI2LTJlNDMtNDk0ZS05OTIzLTBkYzNmMTQ2OWY0Nz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1092,19 +1092,19 @@ "11984" ], "x-ms-request-id": [ - "bfabf4af-6a3b-4e92-a92b-735b17f352c1" + "f4a466eb-3da2-4217-ac11-fc5526d4a7da" ], "x-ms-correlation-request-id": [ - "bfabf4af-6a3b-4e92-a92b-735b17f352c1" + "f4a466eb-3da2-4217-ac11-fc5526d4a7da" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T175957Z:bfabf4af-6a3b-4e92-a92b-735b17f352c1" + "WESTCENTRALUS:20210427T172507Z:f4a466eb-3da2-4217-ac11-fc5526d4a7da" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:59:57 GMT" + "Tue, 27 Apr 2021 17:25:07 GMT" ], "Content-Length": [ "21" @@ -1117,16 +1117,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c48b6d1d-55ef-45bc-aa80-5aece49a9fd7?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2M0OGI2ZDFkLTU1ZWYtNDViYy1hYTgwLTVhZWNlNDlhOWZkNz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e41e39b6-2e43-494e-9923-0dc3f1469f47?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2U0MWUzOWI2LTJlNDMtNDk0ZS05OTIzLTBkYzNmMTQ2OWY0Nz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1149,19 +1149,19 @@ "11983" ], "x-ms-request-id": [ - "8f455f69-be3e-4bbe-aafa-76a7c7f4006e" + "dd5b4fab-be14-4d77-956c-e8e6cfab4107" ], "x-ms-correlation-request-id": [ - "8f455f69-be3e-4bbe-aafa-76a7c7f4006e" + "dd5b4fab-be14-4d77-956c-e8e6cfab4107" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180028Z:8f455f69-be3e-4bbe-aafa-76a7c7f4006e" + "WESTCENTRALUS:20210427T172537Z:dd5b4fab-be14-4d77-956c-e8e6cfab4107" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:00:27 GMT" + "Tue, 27 Apr 2021 17:25:37 GMT" ], "Content-Length": [ "21" @@ -1174,16 +1174,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c48b6d1d-55ef-45bc-aa80-5aece49a9fd7?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2M0OGI2ZDFkLTU1ZWYtNDViYy1hYTgwLTVhZWNlNDlhOWZkNz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e41e39b6-2e43-494e-9923-0dc3f1469f47?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2U0MWUzOWI2LTJlNDMtNDk0ZS05OTIzLTBkYzNmMTQ2OWY0Nz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1206,19 +1206,19 @@ "11982" ], "x-ms-request-id": [ - "f3b15a60-1b49-4238-aefd-a22be775c68f" + "575b23a8-b019-4f73-b920-83b0c366c22a" ], "x-ms-correlation-request-id": [ - "f3b15a60-1b49-4238-aefd-a22be775c68f" + "575b23a8-b019-4f73-b920-83b0c366c22a" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180058Z:f3b15a60-1b49-4238-aefd-a22be775c68f" + "WESTCENTRALUS:20210427T172607Z:575b23a8-b019-4f73-b920-83b0c366c22a" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:00:57 GMT" + "Tue, 27 Apr 2021 17:26:06 GMT" ], "Content-Length": [ "21" @@ -1231,16 +1231,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c48b6d1d-55ef-45bc-aa80-5aece49a9fd7?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2M0OGI2ZDFkLTU1ZWYtNDViYy1hYTgwLTVhZWNlNDlhOWZkNz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e41e39b6-2e43-494e-9923-0dc3f1469f47?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2U0MWUzOWI2LTJlNDMtNDk0ZS05OTIzLTBkYzNmMTQ2OWY0Nz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1263,19 +1263,19 @@ "11981" ], "x-ms-request-id": [ - "7fbd8029-9aa5-4ed0-b1d6-c4ce415550f5" + "fa807ff2-4932-4c80-8990-28ec48fb983b" ], "x-ms-correlation-request-id": [ - "7fbd8029-9aa5-4ed0-b1d6-c4ce415550f5" + "fa807ff2-4932-4c80-8990-28ec48fb983b" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180128Z:7fbd8029-9aa5-4ed0-b1d6-c4ce415550f5" + "WESTCENTRALUS:20210427T172637Z:fa807ff2-4932-4c80-8990-28ec48fb983b" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:01:28 GMT" + "Tue, 27 Apr 2021 17:26:36 GMT" ], "Content-Length": [ "22" @@ -1288,16 +1288,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts/accountname4367?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDMwMjUvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU0MzY3P2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394/providers/Microsoft.DocumentDB/databaseAccounts/accountname9088?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDYzOTQvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU5MDg4P2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1320,47 +1320,47 @@ "11980" ], "x-ms-request-id": [ - "207c8cfd-85fd-4566-8965-59fe2bb6f165" + "0621a79c-d677-44d6-ab41-c3148fbb8903" ], "x-ms-correlation-request-id": [ - "207c8cfd-85fd-4566-8965-59fe2bb6f165" + "0621a79c-d677-44d6-ab41-c3148fbb8903" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180128Z:207c8cfd-85fd-4566-8965-59fe2bb6f165" + "WESTCENTRALUS:20210427T172637Z:0621a79c-d677-44d6-ab41-c3148fbb8903" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:01:28 GMT" + "Tue, 27 Apr 2021 17:26:37 GMT" ], "Content-Length": [ - "2548" + "2724" ], "Content-Type": [ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts/accountname4367\",\r\n \"name\": \"accountname4367\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"key1\": \"value1\",\r\n \"key2\": \"value2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T18:00:29.6464864Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://accountname4367.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://accountname4367.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": true,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8eb7f020-b6ed-4c22-a9de-f547f626719b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 1000,\r\n \"maxStalenessPrefix\": 300\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname4367-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname4367-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname4367-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394/providers/Microsoft.DocumentDB/databaseAccounts/accountname9088\",\r\n \"name\": \"accountname9088\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"key1\": \"value1\",\r\n \"key2\": \"value2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-27T17:25:41.0988424Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://accountname9088.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://accountname9088.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": true,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c3f52ca9-535e-46c4-85d4-8b8c6a46d967\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"AzureServices\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 1000,\r\n \"maxStalenessPrefix\": 300\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname9088-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname9088-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname9088-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": [\r\n \"/subscriptions/subId/resourcegroups/rgName/providers/Microsoft.Synapse/workspaces/workspaceName\"\r\n ]\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts/accountname4367?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDMwMjUvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU0MzY3P2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394/providers/Microsoft.DocumentDB/databaseAccounts/accountname9088?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDYzOTQvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU5MDg4P2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "2b3f2e2d-9e2f-4040-821c-fb52d32a7e56" + "946a906c-aca9-4100-a469-4b4ad6a51cd4" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1383,41 +1383,629 @@ "11979" ], "x-ms-request-id": [ - "1bcc9e41-7d5e-4030-9b89-0c914ddc9876" + "6d5cd112-fcf2-4654-ab9d-0ad15ca09bb0" ], "x-ms-correlation-request-id": [ - "1bcc9e41-7d5e-4030-9b89-0c914ddc9876" + "6d5cd112-fcf2-4654-ab9d-0ad15ca09bb0" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180128Z:1bcc9e41-7d5e-4030-9b89-0c914ddc9876" + "WESTCENTRALUS:20210427T172638Z:6d5cd112-fcf2-4654-ab9d-0ad15ca09bb0" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:01:28 GMT" + "Tue, 27 Apr 2021 17:26:37 GMT" ], "Content-Length": [ - "2548" + "2724" ], "Content-Type": [ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts/accountname4367\",\r\n \"name\": \"accountname4367\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"key1\": \"value1\",\r\n \"key2\": \"value2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T18:00:29.6464864Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://accountname4367.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://accountname4367.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": true,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8eb7f020-b6ed-4c22-a9de-f547f626719b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 1000,\r\n \"maxStalenessPrefix\": 300\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname4367-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname4367-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname4367-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394/providers/Microsoft.DocumentDB/databaseAccounts/accountname9088\",\r\n \"name\": \"accountname9088\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"key1\": \"value1\",\r\n \"key2\": \"value2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-27T17:25:41.0988424Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://accountname9088.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://accountname9088.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": true,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c3f52ca9-535e-46c4-85d4-8b8c6a46d967\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"AzureServices\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 1000,\r\n \"maxStalenessPrefix\": 300\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname9088-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname9088-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname9088-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": [\r\n \"/subscriptions/subId/resourcegroups/rgName/providers/Microsoft.Synapse/workspaces/workspaceName\"\r\n ]\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts/accountname4367?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDMwMjUvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU0MzY3P2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394/providers/Microsoft.DocumentDB/databaseAccounts/accountname9088?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDYzOTQvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU5MDg4P2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" + ] + }, + "ResponseHeaders": { + "Cache-Control": [ + "no-store, no-cache" + ], + "Pragma": [ + "no-cache" + ], + "Strict-Transport-Security": [ + "max-age=31536000; includeSubDomains" + ], + "x-ms-gatewayversion": [ + "version=2.11.0" + ], + "Server": [ + "Microsoft-HTTPAPI/2.0" + ], + "x-ms-ratelimit-remaining-subscription-reads": [ + "11954" + ], + "x-ms-request-id": [ + "2b5f8ef6-f481-432b-ab60-3647e1646737" + ], + "x-ms-correlation-request-id": [ + "2b5f8ef6-f481-432b-ab60-3647e1646737" + ], + "x-ms-routing-request-id": [ + "WESTCENTRALUS:20210427T173814Z:2b5f8ef6-f481-432b-ab60-3647e1646737" + ], + "X-Content-Type-Options": [ + "nosniff" + ], + "Date": [ + "Tue, 27 Apr 2021 17:38:13 GMT" + ], + "Content-Length": [ + "2810" + ], + "Content-Type": [ + "application/json" + ] + }, + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394/providers/Microsoft.DocumentDB/databaseAccounts/accountname9088\",\r\n \"name\": \"accountname9088\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"key3\": \"value3\",\r\n \"key4\": \"value4\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-27T17:25:41.0988424Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://accountname9088.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://accountname9088.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": true,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c3f52ca9-535e-46c4-85d4-8b8c6a46d967\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"AzureServices\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname9088-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname9088-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname9088-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": [\r\n \"/subscriptions/subId/resourcegroups/rgName/providers/Microsoft.Synapse/workspaces/workspaceName\",\r\n \"/subscriptions/subId/resourcegroups/rgName/providers/Microsoft.Synapse/workspaces/workspaceName2\"\r\n ]\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n}", + "StatusCode": 200 + }, + { + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394/providers/Microsoft.DocumentDB/databaseAccounts/accountname9088?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDYzOTQvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU5MDg4P2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", + "RequestMethod": "PATCH", + "RequestBody": "{\r\n \"tags\": {\r\n \"key3\": \"value3\",\r\n \"key4\": \"value4\"\r\n },\r\n \"location\": \"EAST US 2\",\r\n \"properties\": {\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxStalenessPrefix\": 1300,\r\n \"maxIntervalInSeconds\": 12000\r\n },\r\n \"locations\": [\r\n {\r\n \"locationName\": \"East US 2\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"enableAutomaticFailover\": true,\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"disableKeyBasedMetadataWriteAccess\": true,\r\n \"networkAclBypass\": \"AzureServices\",\r\n \"networkAclBypassResourceIds\": [\r\n \"/subscriptions/subId/resourcegroups/rgName/providers/Microsoft.Synapse/workspaces/workspaceName\",\r\n \"/subscriptions/subId/resourcegroups/rgName/providers/Microsoft.Synapse/workspaces/workspaceName2\"\r\n ]\r\n }\r\n}", + "RequestHeaders": { + "x-ms-client-request-id": [ + "1b0871e4-ebc2-458c-a4ea-b46053e9ed04" + ], + "Accept-Language": [ + "en-US" + ], + "User-Agent": [ + "FxVersion/4.6.29916.01", + "OSName/Windows", + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" + ], + "Content-Type": [ + "application/json; charset=utf-8" + ], + "Content-Length": [ + "947" + ] + }, + "ResponseHeaders": { + "Cache-Control": [ + "no-store, no-cache" + ], + "Pragma": [ + "no-cache" + ], + "Location": [ + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394/providers/Microsoft.DocumentDB/databaseAccounts/accountname9088/operationResults/d2c15fa7-fc9c-48c7-b54f-713b1575829e?api-version=2021-04-15" + ], + "x-ms-request-id": [ + "d2c15fa7-fc9c-48c7-b54f-713b1575829e" + ], + "Azure-AsyncOperation": [ + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d2c15fa7-fc9c-48c7-b54f-713b1575829e?api-version=2021-04-15" + ], + "Strict-Transport-Security": [ + "max-age=31536000; includeSubDomains" + ], + "x-ms-gatewayversion": [ + "version=2.11.0" + ], + "Server": [ + "Microsoft-HTTPAPI/2.0" + ], + "x-ms-ratelimit-remaining-subscription-writes": [ + "1198" + ], + "x-ms-correlation-request-id": [ + "273e3b33-1c6f-40f2-89b7-55550ce00bc7" + ], + "x-ms-routing-request-id": [ + "WESTCENTRALUS:20210427T172641Z:273e3b33-1c6f-40f2-89b7-55550ce00bc7" + ], + "X-Content-Type-Options": [ + "nosniff" + ], + "Date": [ + "Tue, 27 Apr 2021 17:26:41 GMT" + ], + "Content-Length": [ + "2720" + ], + "Content-Type": [ + "application/json" + ] + }, + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394/providers/Microsoft.DocumentDB/databaseAccounts/accountname9088\",\r\n \"name\": \"accountname9088\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"key1\": \"value1\",\r\n \"key2\": \"value2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-27T17:25:41.0988424Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Updating\",\r\n \"documentEndpoint\": \"https://accountname9088.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://accountname9088.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": true,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c3f52ca9-535e-46c4-85d4-8b8c6a46d967\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"AzureServices\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 1000,\r\n \"maxStalenessPrefix\": 300\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname9088-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname9088-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname9088-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": [\r\n \"/subscriptions/subId/resourcegroups/rgName/providers/Microsoft.Synapse/workspaces/workspaceName\"\r\n ]\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n}", + "StatusCode": 200 + }, + { + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d2c15fa7-fc9c-48c7-b54f-713b1575829e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2QyYzE1ZmE3LWZjOWMtNDhjNy1iNTRmLTcxM2IxNTc1ODI5ZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", + "RequestMethod": "GET", + "RequestBody": "", + "RequestHeaders": { + "User-Agent": [ + "FxVersion/4.6.29916.01", + "OSName/Windows", + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" + ] + }, + "ResponseHeaders": { + "Cache-Control": [ + "no-store, no-cache" + ], + "Pragma": [ + "no-cache" + ], + "Strict-Transport-Security": [ + "max-age=31536000; includeSubDomains" + ], + "x-ms-gatewayversion": [ + "version=2.11.0" + ], + "Server": [ + "Microsoft-HTTPAPI/2.0" + ], + "x-ms-ratelimit-remaining-subscription-reads": [ + "11977" + ], + "x-ms-request-id": [ + "a4ae5214-2756-45d7-b4e0-8cd98f205170" + ], + "x-ms-correlation-request-id": [ + "a4ae5214-2756-45d7-b4e0-8cd98f205170" + ], + "x-ms-routing-request-id": [ + "WESTCENTRALUS:20210427T172711Z:a4ae5214-2756-45d7-b4e0-8cd98f205170" + ], + "X-Content-Type-Options": [ + "nosniff" + ], + "Date": [ + "Tue, 27 Apr 2021 17:27:11 GMT" + ], + "Content-Length": [ + "21" + ], + "Content-Type": [ + "application/json" + ] + }, + "ResponseBody": "{\r\n \"status\": \"Dequeued\"\r\n}", + "StatusCode": 200 + }, + { + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d2c15fa7-fc9c-48c7-b54f-713b1575829e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2QyYzE1ZmE3LWZjOWMtNDhjNy1iNTRmLTcxM2IxNTc1ODI5ZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", + "RequestMethod": "GET", + "RequestBody": "", + "RequestHeaders": { + "User-Agent": [ + "FxVersion/4.6.29916.01", + "OSName/Windows", + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" + ] + }, + "ResponseHeaders": { + "Cache-Control": [ + "no-store, no-cache" + ], + "Pragma": [ + "no-cache" + ], + "Strict-Transport-Security": [ + "max-age=31536000; includeSubDomains" + ], + "x-ms-gatewayversion": [ + "version=2.11.0" + ], + "Server": [ + "Microsoft-HTTPAPI/2.0" + ], + "x-ms-ratelimit-remaining-subscription-reads": [ + "11976" + ], + "x-ms-request-id": [ + "1afc71e3-5a39-405f-89ea-7c32c0b82251" + ], + "x-ms-correlation-request-id": [ + "1afc71e3-5a39-405f-89ea-7c32c0b82251" + ], + "x-ms-routing-request-id": [ + "WESTCENTRALUS:20210427T172741Z:1afc71e3-5a39-405f-89ea-7c32c0b82251" + ], + "X-Content-Type-Options": [ + "nosniff" + ], + "Date": [ + "Tue, 27 Apr 2021 17:27:41 GMT" + ], + "Content-Length": [ + "21" + ], + "Content-Type": [ + "application/json" + ] + }, + "ResponseBody": "{\r\n \"status\": \"Dequeued\"\r\n}", + "StatusCode": 200 + }, + { + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d2c15fa7-fc9c-48c7-b54f-713b1575829e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2QyYzE1ZmE3LWZjOWMtNDhjNy1iNTRmLTcxM2IxNTc1ODI5ZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", + "RequestMethod": "GET", + "RequestBody": "", + "RequestHeaders": { + "User-Agent": [ + "FxVersion/4.6.29916.01", + "OSName/Windows", + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" + ] + }, + "ResponseHeaders": { + "Cache-Control": [ + "no-store, no-cache" + ], + "Pragma": [ + "no-cache" + ], + "Strict-Transport-Security": [ + "max-age=31536000; includeSubDomains" + ], + "x-ms-gatewayversion": [ + "version=2.11.0" + ], + "Server": [ + "Microsoft-HTTPAPI/2.0" + ], + "x-ms-ratelimit-remaining-subscription-reads": [ + "11975" + ], + "x-ms-request-id": [ + "5e5955aa-78bc-478f-9b2f-17f5232a912c" + ], + "x-ms-correlation-request-id": [ + "5e5955aa-78bc-478f-9b2f-17f5232a912c" + ], + "x-ms-routing-request-id": [ + "WESTCENTRALUS:20210427T172812Z:5e5955aa-78bc-478f-9b2f-17f5232a912c" + ], + "X-Content-Type-Options": [ + "nosniff" + ], + "Date": [ + "Tue, 27 Apr 2021 17:28:11 GMT" + ], + "Content-Length": [ + "21" + ], + "Content-Type": [ + "application/json" + ] + }, + "ResponseBody": "{\r\n \"status\": \"Dequeued\"\r\n}", + "StatusCode": 200 + }, + { + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d2c15fa7-fc9c-48c7-b54f-713b1575829e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2QyYzE1ZmE3LWZjOWMtNDhjNy1iNTRmLTcxM2IxNTc1ODI5ZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", + "RequestMethod": "GET", + "RequestBody": "", + "RequestHeaders": { + "User-Agent": [ + "FxVersion/4.6.29916.01", + "OSName/Windows", + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" + ] + }, + "ResponseHeaders": { + "Cache-Control": [ + "no-store, no-cache" + ], + "Pragma": [ + "no-cache" + ], + "Strict-Transport-Security": [ + "max-age=31536000; includeSubDomains" + ], + "x-ms-gatewayversion": [ + "version=2.11.0" + ], + "Server": [ + "Microsoft-HTTPAPI/2.0" + ], + "x-ms-ratelimit-remaining-subscription-reads": [ + "11974" + ], + "x-ms-request-id": [ + "406553c5-c07b-49e2-b269-2ed160138f11" + ], + "x-ms-correlation-request-id": [ + "406553c5-c07b-49e2-b269-2ed160138f11" + ], + "x-ms-routing-request-id": [ + "WESTCENTRALUS:20210427T172842Z:406553c5-c07b-49e2-b269-2ed160138f11" + ], + "X-Content-Type-Options": [ + "nosniff" + ], + "Date": [ + "Tue, 27 Apr 2021 17:28:41 GMT" + ], + "Content-Length": [ + "21" + ], + "Content-Type": [ + "application/json" + ] + }, + "ResponseBody": "{\r\n \"status\": \"Dequeued\"\r\n}", + "StatusCode": 200 + }, + { + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d2c15fa7-fc9c-48c7-b54f-713b1575829e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2QyYzE1ZmE3LWZjOWMtNDhjNy1iNTRmLTcxM2IxNTc1ODI5ZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", + "RequestMethod": "GET", + "RequestBody": "", + "RequestHeaders": { + "User-Agent": [ + "FxVersion/4.6.29916.01", + "OSName/Windows", + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" + ] + }, + "ResponseHeaders": { + "Cache-Control": [ + "no-store, no-cache" + ], + "Pragma": [ + "no-cache" + ], + "Strict-Transport-Security": [ + "max-age=31536000; includeSubDomains" + ], + "x-ms-gatewayversion": [ + "version=2.11.0" + ], + "Server": [ + "Microsoft-HTTPAPI/2.0" + ], + "x-ms-ratelimit-remaining-subscription-reads": [ + "11973" + ], + "x-ms-request-id": [ + "64841ae0-1566-4c36-a376-f7fe752874d9" + ], + "x-ms-correlation-request-id": [ + "64841ae0-1566-4c36-a376-f7fe752874d9" + ], + "x-ms-routing-request-id": [ + "WESTCENTRALUS:20210427T172912Z:64841ae0-1566-4c36-a376-f7fe752874d9" + ], + "X-Content-Type-Options": [ + "nosniff" + ], + "Date": [ + "Tue, 27 Apr 2021 17:29:11 GMT" + ], + "Content-Length": [ + "21" + ], + "Content-Type": [ + "application/json" + ] + }, + "ResponseBody": "{\r\n \"status\": \"Dequeued\"\r\n}", + "StatusCode": 200 + }, + { + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d2c15fa7-fc9c-48c7-b54f-713b1575829e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2QyYzE1ZmE3LWZjOWMtNDhjNy1iNTRmLTcxM2IxNTc1ODI5ZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", + "RequestMethod": "GET", + "RequestBody": "", + "RequestHeaders": { + "User-Agent": [ + "FxVersion/4.6.29916.01", + "OSName/Windows", + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" + ] + }, + "ResponseHeaders": { + "Cache-Control": [ + "no-store, no-cache" + ], + "Pragma": [ + "no-cache" + ], + "Strict-Transport-Security": [ + "max-age=31536000; includeSubDomains" + ], + "x-ms-gatewayversion": [ + "version=2.11.0" + ], + "Server": [ + "Microsoft-HTTPAPI/2.0" + ], + "x-ms-ratelimit-remaining-subscription-reads": [ + "11972" + ], + "x-ms-request-id": [ + "fe69d497-0c47-4bca-a720-416ae8a90049" + ], + "x-ms-correlation-request-id": [ + "fe69d497-0c47-4bca-a720-416ae8a90049" + ], + "x-ms-routing-request-id": [ + "WESTCENTRALUS:20210427T172942Z:fe69d497-0c47-4bca-a720-416ae8a90049" + ], + "X-Content-Type-Options": [ + "nosniff" + ], + "Date": [ + "Tue, 27 Apr 2021 17:29:42 GMT" + ], + "Content-Length": [ + "21" + ], + "Content-Type": [ + "application/json" + ] + }, + "ResponseBody": "{\r\n \"status\": \"Dequeued\"\r\n}", + "StatusCode": 200 + }, + { + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d2c15fa7-fc9c-48c7-b54f-713b1575829e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2QyYzE1ZmE3LWZjOWMtNDhjNy1iNTRmLTcxM2IxNTc1ODI5ZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", + "RequestMethod": "GET", + "RequestBody": "", + "RequestHeaders": { + "User-Agent": [ + "FxVersion/4.6.29916.01", + "OSName/Windows", + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" + ] + }, + "ResponseHeaders": { + "Cache-Control": [ + "no-store, no-cache" + ], + "Pragma": [ + "no-cache" + ], + "Strict-Transport-Security": [ + "max-age=31536000; includeSubDomains" + ], + "x-ms-gatewayversion": [ + "version=2.11.0" + ], + "Server": [ + "Microsoft-HTTPAPI/2.0" + ], + "x-ms-ratelimit-remaining-subscription-reads": [ + "11971" + ], + "x-ms-request-id": [ + "7fc41564-4010-46ae-a005-ad20575db27e" + ], + "x-ms-correlation-request-id": [ + "7fc41564-4010-46ae-a005-ad20575db27e" + ], + "x-ms-routing-request-id": [ + "WESTCENTRALUS:20210427T173012Z:7fc41564-4010-46ae-a005-ad20575db27e" + ], + "X-Content-Type-Options": [ + "nosniff" + ], + "Date": [ + "Tue, 27 Apr 2021 17:30:12 GMT" + ], + "Content-Length": [ + "21" + ], + "Content-Type": [ + "application/json" + ] + }, + "ResponseBody": "{\r\n \"status\": \"Dequeued\"\r\n}", + "StatusCode": 200 + }, + { + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d2c15fa7-fc9c-48c7-b54f-713b1575829e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2QyYzE1ZmE3LWZjOWMtNDhjNy1iNTRmLTcxM2IxNTc1ODI5ZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", + "RequestMethod": "GET", + "RequestBody": "", + "RequestHeaders": { + "User-Agent": [ + "FxVersion/4.6.29916.01", + "OSName/Windows", + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" + ] + }, + "ResponseHeaders": { + "Cache-Control": [ + "no-store, no-cache" + ], + "Pragma": [ + "no-cache" + ], + "Strict-Transport-Security": [ + "max-age=31536000; includeSubDomains" + ], + "x-ms-gatewayversion": [ + "version=2.11.0" + ], + "Server": [ + "Microsoft-HTTPAPI/2.0" + ], + "x-ms-ratelimit-remaining-subscription-reads": [ + "11970" + ], + "x-ms-request-id": [ + "3ca739b9-107c-4541-90d4-035aba822590" + ], + "x-ms-correlation-request-id": [ + "3ca739b9-107c-4541-90d4-035aba822590" + ], + "x-ms-routing-request-id": [ + "WESTCENTRALUS:20210427T173042Z:3ca739b9-107c-4541-90d4-035aba822590" + ], + "X-Content-Type-Options": [ + "nosniff" + ], + "Date": [ + "Tue, 27 Apr 2021 17:30:42 GMT" + ], + "Content-Length": [ + "21" + ], + "Content-Type": [ + "application/json" + ] + }, + "ResponseBody": "{\r\n \"status\": \"Dequeued\"\r\n}", + "StatusCode": 200 + }, + { + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d2c15fa7-fc9c-48c7-b54f-713b1575829e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2QyYzE1ZmE3LWZjOWMtNDhjNy1iNTRmLTcxM2IxNTc1ODI5ZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", + "RequestMethod": "GET", + "RequestBody": "", + "RequestHeaders": { + "User-Agent": [ + "FxVersion/4.6.29916.01", + "OSName/Windows", + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1440,53 +2028,212 @@ "11969" ], "x-ms-request-id": [ - "173c6de1-90f6-4cc5-a563-887019b395b3" + "ce81ec11-5fd8-4066-9738-014cf0149397" + ], + "x-ms-correlation-request-id": [ + "ce81ec11-5fd8-4066-9738-014cf0149397" + ], + "x-ms-routing-request-id": [ + "WESTCENTRALUS:20210427T173112Z:ce81ec11-5fd8-4066-9738-014cf0149397" + ], + "X-Content-Type-Options": [ + "nosniff" + ], + "Date": [ + "Tue, 27 Apr 2021 17:31:12 GMT" + ], + "Content-Length": [ + "21" + ], + "Content-Type": [ + "application/json" + ] + }, + "ResponseBody": "{\r\n \"status\": \"Dequeued\"\r\n}", + "StatusCode": 200 + }, + { + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d2c15fa7-fc9c-48c7-b54f-713b1575829e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2QyYzE1ZmE3LWZjOWMtNDhjNy1iNTRmLTcxM2IxNTc1ODI5ZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", + "RequestMethod": "GET", + "RequestBody": "", + "RequestHeaders": { + "User-Agent": [ + "FxVersion/4.6.29916.01", + "OSName/Windows", + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" + ] + }, + "ResponseHeaders": { + "Cache-Control": [ + "no-store, no-cache" + ], + "Pragma": [ + "no-cache" + ], + "Strict-Transport-Security": [ + "max-age=31536000; includeSubDomains" + ], + "x-ms-gatewayversion": [ + "version=2.11.0" + ], + "Server": [ + "Microsoft-HTTPAPI/2.0" + ], + "x-ms-ratelimit-remaining-subscription-reads": [ + "11968" + ], + "x-ms-request-id": [ + "da1ad909-88d1-4e39-ab6b-a90b0d10bb74" ], "x-ms-correlation-request-id": [ - "173c6de1-90f6-4cc5-a563-887019b395b3" + "da1ad909-88d1-4e39-ab6b-a90b0d10bb74" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180604Z:173c6de1-90f6-4cc5-a563-887019b395b3" + "WESTCENTRALUS:20210427T173142Z:da1ad909-88d1-4e39-ab6b-a90b0d10bb74" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:06:03 GMT" + "Tue, 27 Apr 2021 17:31:42 GMT" ], "Content-Length": [ - "2535" + "21" ], "Content-Type": [ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts/accountname4367\",\r\n \"name\": \"accountname4367\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"key3\": \"value3\",\r\n \"key4\": \"value4\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T18:00:29.6464864Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://accountname4367.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://accountname4367.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": true,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8eb7f020-b6ed-4c22-a9de-f547f626719b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname4367-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname4367-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname4367-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n}", + "ResponseBody": "{\r\n \"status\": \"Dequeued\"\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts/accountname4367?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDMwMjUvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU0MzY3P2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", - "RequestMethod": "PATCH", - "RequestBody": "{\r\n \"tags\": {\r\n \"key3\": \"value3\",\r\n \"key4\": \"value4\"\r\n },\r\n \"location\": \"EAST US 2\",\r\n \"properties\": {\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxStalenessPrefix\": 1300,\r\n \"maxIntervalInSeconds\": 12000\r\n },\r\n \"locations\": [\r\n {\r\n \"locationName\": \"EAST US 2\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"enableAutomaticFailover\": true,\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"disableKeyBasedMetadataWriteAccess\": true\r\n }\r\n}", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d2c15fa7-fc9c-48c7-b54f-713b1575829e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2QyYzE1ZmE3LWZjOWMtNDhjNy1iNTRmLTcxM2IxNTc1ODI5ZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", + "RequestMethod": "GET", + "RequestBody": "", "RequestHeaders": { - "x-ms-client-request-id": [ - "3a567811-a9e4-410e-a443-3e050532c935" + "User-Agent": [ + "FxVersion/4.6.29916.01", + "OSName/Windows", + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" + ] + }, + "ResponseHeaders": { + "Cache-Control": [ + "no-store, no-cache" ], - "Accept-Language": [ - "en-US" + "Pragma": [ + "no-cache" + ], + "Strict-Transport-Security": [ + "max-age=31536000; includeSubDomains" + ], + "x-ms-gatewayversion": [ + "version=2.11.0" ], + "Server": [ + "Microsoft-HTTPAPI/2.0" + ], + "x-ms-ratelimit-remaining-subscription-reads": [ + "11967" + ], + "x-ms-request-id": [ + "35467efd-cbfc-4eb1-987a-5a1c6da1d473" + ], + "x-ms-correlation-request-id": [ + "35467efd-cbfc-4eb1-987a-5a1c6da1d473" + ], + "x-ms-routing-request-id": [ + "WESTCENTRALUS:20210427T173213Z:35467efd-cbfc-4eb1-987a-5a1c6da1d473" + ], + "X-Content-Type-Options": [ + "nosniff" + ], + "Date": [ + "Tue, 27 Apr 2021 17:32:12 GMT" + ], + "Content-Length": [ + "21" + ], + "Content-Type": [ + "application/json" + ] + }, + "ResponseBody": "{\r\n \"status\": \"Dequeued\"\r\n}", + "StatusCode": 200 + }, + { + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d2c15fa7-fc9c-48c7-b54f-713b1575829e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2QyYzE1ZmE3LWZjOWMtNDhjNy1iNTRmLTcxM2IxNTc1ODI5ZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", + "RequestMethod": "GET", + "RequestBody": "", + "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" + ] + }, + "ResponseHeaders": { + "Cache-Control": [ + "no-store, no-cache" ], - "Content-Type": [ - "application/json; charset=utf-8" + "Pragma": [ + "no-cache" + ], + "Strict-Transport-Security": [ + "max-age=31536000; includeSubDomains" + ], + "x-ms-gatewayversion": [ + "version=2.11.0" + ], + "Server": [ + "Microsoft-HTTPAPI/2.0" + ], + "x-ms-ratelimit-remaining-subscription-reads": [ + "11966" + ], + "x-ms-request-id": [ + "301c19f8-bcec-4c9e-887d-6a13097d9f11" + ], + "x-ms-correlation-request-id": [ + "301c19f8-bcec-4c9e-887d-6a13097d9f11" + ], + "x-ms-routing-request-id": [ + "WESTCENTRALUS:20210427T173243Z:301c19f8-bcec-4c9e-887d-6a13097d9f11" + ], + "X-Content-Type-Options": [ + "nosniff" + ], + "Date": [ + "Tue, 27 Apr 2021 17:32:43 GMT" ], "Content-Length": [ - "647" + "21" + ], + "Content-Type": [ + "application/json" + ] + }, + "ResponseBody": "{\r\n \"status\": \"Dequeued\"\r\n}", + "StatusCode": 200 + }, + { + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d2c15fa7-fc9c-48c7-b54f-713b1575829e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2QyYzE1ZmE3LWZjOWMtNDhjNy1iNTRmLTcxM2IxNTc1ODI5ZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", + "RequestMethod": "GET", + "RequestBody": "", + "RequestHeaders": { + "User-Agent": [ + "FxVersion/4.6.29916.01", + "OSName/Windows", + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1496,14 +2243,62 @@ "Pragma": [ "no-cache" ], - "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts/accountname4367/operationResults/2de1bcd8-a95e-49d9-992a-b4147fd5a716?api-version=2021-03-01-preview" + "Strict-Transport-Security": [ + "max-age=31536000; includeSubDomains" + ], + "x-ms-gatewayversion": [ + "version=2.11.0" + ], + "Server": [ + "Microsoft-HTTPAPI/2.0" + ], + "x-ms-ratelimit-remaining-subscription-reads": [ + "11965" ], "x-ms-request-id": [ - "2de1bcd8-a95e-49d9-992a-b4147fd5a716" + "b4032c3f-9750-47da-aef9-e207393d1fe6" ], - "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/2de1bcd8-a95e-49d9-992a-b4147fd5a716?api-version=2021-03-01-preview" + "x-ms-correlation-request-id": [ + "b4032c3f-9750-47da-aef9-e207393d1fe6" + ], + "x-ms-routing-request-id": [ + "WESTCENTRALUS:20210427T173313Z:b4032c3f-9750-47da-aef9-e207393d1fe6" + ], + "X-Content-Type-Options": [ + "nosniff" + ], + "Date": [ + "Tue, 27 Apr 2021 17:33:12 GMT" + ], + "Content-Length": [ + "21" + ], + "Content-Type": [ + "application/json" + ] + }, + "ResponseBody": "{\r\n \"status\": \"Dequeued\"\r\n}", + "StatusCode": 200 + }, + { + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d2c15fa7-fc9c-48c7-b54f-713b1575829e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2QyYzE1ZmE3LWZjOWMtNDhjNy1iNTRmLTcxM2IxNTc1ODI5ZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", + "RequestMethod": "GET", + "RequestBody": "", + "RequestHeaders": { + "User-Agent": [ + "FxVersion/4.6.29916.01", + "OSName/Windows", + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" + ] + }, + "ResponseHeaders": { + "Cache-Control": [ + "no-store, no-cache" + ], + "Pragma": [ + "no-cache" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -1514,42 +2309,45 @@ "Server": [ "Microsoft-HTTPAPI/2.0" ], - "x-ms-ratelimit-remaining-subscription-writes": [ - "1198" + "x-ms-ratelimit-remaining-subscription-reads": [ + "11964" + ], + "x-ms-request-id": [ + "2315a953-13c1-4e4e-8654-4fbefbf5e969" ], "x-ms-correlation-request-id": [ - "9e0a496c-09de-42ed-b0cf-be81b437971d" + "2315a953-13c1-4e4e-8654-4fbefbf5e969" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180132Z:9e0a496c-09de-42ed-b0cf-be81b437971d" + "WESTCENTRALUS:20210427T173343Z:2315a953-13c1-4e4e-8654-4fbefbf5e969" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:01:32 GMT" + "Tue, 27 Apr 2021 17:33:42 GMT" ], "Content-Length": [ - "2544" + "21" ], "Content-Type": [ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts/accountname4367\",\r\n \"name\": \"accountname4367\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"key1\": \"value1\",\r\n \"key2\": \"value2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T18:00:29.6464864Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Updating\",\r\n \"documentEndpoint\": \"https://accountname4367.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://accountname4367.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": true,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8eb7f020-b6ed-4c22-a9de-f547f626719b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 1000,\r\n \"maxStalenessPrefix\": 300\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname4367-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname4367-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname4367-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n}", + "ResponseBody": "{\r\n \"status\": \"Dequeued\"\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/2de1bcd8-a95e-49d9-992a-b4147fd5a716?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzJkZTFiY2Q4LWE5NWUtNDlkOS05OTJhLWI0MTQ3ZmQ1YTcxNj9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d2c15fa7-fc9c-48c7-b54f-713b1575829e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2QyYzE1ZmE3LWZjOWMtNDhjNy1iNTRmLTcxM2IxNTc1ODI5ZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1569,22 +2367,22 @@ "Microsoft-HTTPAPI/2.0" ], "x-ms-ratelimit-remaining-subscription-reads": [ - "11978" + "11963" ], "x-ms-request-id": [ - "399cd3a5-ebe2-4363-9d6e-4c88923caa31" + "88928078-edba-4ea2-a8fb-7fb99b69d206" ], "x-ms-correlation-request-id": [ - "399cd3a5-ebe2-4363-9d6e-4c88923caa31" + "88928078-edba-4ea2-a8fb-7fb99b69d206" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180202Z:399cd3a5-ebe2-4363-9d6e-4c88923caa31" + "WESTCENTRALUS:20210427T173413Z:88928078-edba-4ea2-a8fb-7fb99b69d206" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:02:01 GMT" + "Tue, 27 Apr 2021 17:34:13 GMT" ], "Content-Length": [ "21" @@ -1597,16 +2395,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/2de1bcd8-a95e-49d9-992a-b4147fd5a716?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzJkZTFiY2Q4LWE5NWUtNDlkOS05OTJhLWI0MTQ3ZmQ1YTcxNj9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d2c15fa7-fc9c-48c7-b54f-713b1575829e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2QyYzE1ZmE3LWZjOWMtNDhjNy1iNTRmLTcxM2IxNTc1ODI5ZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1626,22 +2424,22 @@ "Microsoft-HTTPAPI/2.0" ], "x-ms-ratelimit-remaining-subscription-reads": [ - "11977" + "11962" ], "x-ms-request-id": [ - "030aa7da-0742-49fb-acb6-cdc6b4d5a8d5" + "cfdb28d3-1dfa-4f1a-bf47-f293c30dfd1a" ], "x-ms-correlation-request-id": [ - "030aa7da-0742-49fb-acb6-cdc6b4d5a8d5" + "cfdb28d3-1dfa-4f1a-bf47-f293c30dfd1a" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180232Z:030aa7da-0742-49fb-acb6-cdc6b4d5a8d5" + "WESTCENTRALUS:20210427T173443Z:cfdb28d3-1dfa-4f1a-bf47-f293c30dfd1a" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:02:32 GMT" + "Tue, 27 Apr 2021 17:34:43 GMT" ], "Content-Length": [ "21" @@ -1654,16 +2452,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/2de1bcd8-a95e-49d9-992a-b4147fd5a716?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzJkZTFiY2Q4LWE5NWUtNDlkOS05OTJhLWI0MTQ3ZmQ1YTcxNj9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d2c15fa7-fc9c-48c7-b54f-713b1575829e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2QyYzE1ZmE3LWZjOWMtNDhjNy1iNTRmLTcxM2IxNTc1ODI5ZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1683,22 +2481,22 @@ "Microsoft-HTTPAPI/2.0" ], "x-ms-ratelimit-remaining-subscription-reads": [ - "11976" + "11961" ], "x-ms-request-id": [ - "a8707209-f5d6-4a81-874b-6719714a0682" + "17fd2f82-00b6-401d-88c8-ac6281bfd616" ], "x-ms-correlation-request-id": [ - "a8707209-f5d6-4a81-874b-6719714a0682" + "17fd2f82-00b6-401d-88c8-ac6281bfd616" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180302Z:a8707209-f5d6-4a81-874b-6719714a0682" + "WESTCENTRALUS:20210427T173513Z:17fd2f82-00b6-401d-88c8-ac6281bfd616" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:03:02 GMT" + "Tue, 27 Apr 2021 17:35:12 GMT" ], "Content-Length": [ "21" @@ -1711,16 +2509,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/2de1bcd8-a95e-49d9-992a-b4147fd5a716?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzJkZTFiY2Q4LWE5NWUtNDlkOS05OTJhLWI0MTQ3ZmQ1YTcxNj9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d2c15fa7-fc9c-48c7-b54f-713b1575829e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2QyYzE1ZmE3LWZjOWMtNDhjNy1iNTRmLTcxM2IxNTc1ODI5ZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1740,22 +2538,22 @@ "Microsoft-HTTPAPI/2.0" ], "x-ms-ratelimit-remaining-subscription-reads": [ - "11975" + "11960" ], "x-ms-request-id": [ - "0017c2b7-1ffb-49e9-abe4-42626139f3a6" + "454faa58-500a-4606-a72d-fb5960b18722" ], "x-ms-correlation-request-id": [ - "0017c2b7-1ffb-49e9-abe4-42626139f3a6" + "454faa58-500a-4606-a72d-fb5960b18722" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180333Z:0017c2b7-1ffb-49e9-abe4-42626139f3a6" + "WESTCENTRALUS:20210427T173543Z:454faa58-500a-4606-a72d-fb5960b18722" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:03:32 GMT" + "Tue, 27 Apr 2021 17:35:43 GMT" ], "Content-Length": [ "21" @@ -1768,16 +2566,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/2de1bcd8-a95e-49d9-992a-b4147fd5a716?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzJkZTFiY2Q4LWE5NWUtNDlkOS05OTJhLWI0MTQ3ZmQ1YTcxNj9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d2c15fa7-fc9c-48c7-b54f-713b1575829e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2QyYzE1ZmE3LWZjOWMtNDhjNy1iNTRmLTcxM2IxNTc1ODI5ZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1797,22 +2595,22 @@ "Microsoft-HTTPAPI/2.0" ], "x-ms-ratelimit-remaining-subscription-reads": [ - "11974" + "11959" ], "x-ms-request-id": [ - "a2a32b51-9184-41c0-9209-189502788690" + "43c95a25-6130-404f-8885-15983d28b4c4" ], "x-ms-correlation-request-id": [ - "a2a32b51-9184-41c0-9209-189502788690" + "43c95a25-6130-404f-8885-15983d28b4c4" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180403Z:a2a32b51-9184-41c0-9209-189502788690" + "WESTCENTRALUS:20210427T173614Z:43c95a25-6130-404f-8885-15983d28b4c4" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:04:02 GMT" + "Tue, 27 Apr 2021 17:36:13 GMT" ], "Content-Length": [ "21" @@ -1825,16 +2623,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/2de1bcd8-a95e-49d9-992a-b4147fd5a716?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzJkZTFiY2Q4LWE5NWUtNDlkOS05OTJhLWI0MTQ3ZmQ1YTcxNj9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d2c15fa7-fc9c-48c7-b54f-713b1575829e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2QyYzE1ZmE3LWZjOWMtNDhjNy1iNTRmLTcxM2IxNTc1ODI5ZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1854,22 +2652,22 @@ "Microsoft-HTTPAPI/2.0" ], "x-ms-ratelimit-remaining-subscription-reads": [ - "11973" + "11958" ], "x-ms-request-id": [ - "ba2f7e61-b286-498b-8c4e-13407de1ef0f" + "13b0d0f4-1e93-45c1-bcee-304203cda0d3" ], "x-ms-correlation-request-id": [ - "ba2f7e61-b286-498b-8c4e-13407de1ef0f" + "13b0d0f4-1e93-45c1-bcee-304203cda0d3" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180433Z:ba2f7e61-b286-498b-8c4e-13407de1ef0f" + "WESTCENTRALUS:20210427T173644Z:13b0d0f4-1e93-45c1-bcee-304203cda0d3" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:04:32 GMT" + "Tue, 27 Apr 2021 17:36:44 GMT" ], "Content-Length": [ "21" @@ -1882,16 +2680,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/2de1bcd8-a95e-49d9-992a-b4147fd5a716?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzJkZTFiY2Q4LWE5NWUtNDlkOS05OTJhLWI0MTQ3ZmQ1YTcxNj9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d2c15fa7-fc9c-48c7-b54f-713b1575829e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2QyYzE1ZmE3LWZjOWMtNDhjNy1iNTRmLTcxM2IxNTc1ODI5ZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1911,22 +2709,22 @@ "Microsoft-HTTPAPI/2.0" ], "x-ms-ratelimit-remaining-subscription-reads": [ - "11972" + "11957" ], "x-ms-request-id": [ - "6076fb74-1635-42da-a2f3-540584089e29" + "0d9ce290-e2d8-4901-8451-cf1e05fbb637" ], "x-ms-correlation-request-id": [ - "6076fb74-1635-42da-a2f3-540584089e29" + "0d9ce290-e2d8-4901-8451-cf1e05fbb637" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180503Z:6076fb74-1635-42da-a2f3-540584089e29" + "WESTCENTRALUS:20210427T173714Z:0d9ce290-e2d8-4901-8451-cf1e05fbb637" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:05:03 GMT" + "Tue, 27 Apr 2021 17:37:13 GMT" ], "Content-Length": [ "21" @@ -1939,16 +2737,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/2de1bcd8-a95e-49d9-992a-b4147fd5a716?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzJkZTFiY2Q4LWE5NWUtNDlkOS05OTJhLWI0MTQ3ZmQ1YTcxNj9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d2c15fa7-fc9c-48c7-b54f-713b1575829e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2QyYzE1ZmE3LWZjOWMtNDhjNy1iNTRmLTcxM2IxNTc1ODI5ZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1968,22 +2766,22 @@ "Microsoft-HTTPAPI/2.0" ], "x-ms-ratelimit-remaining-subscription-reads": [ - "11971" + "11956" ], "x-ms-request-id": [ - "a770049e-2694-4ea6-bc14-a1dc5c9507cb" + "73fdd176-4e71-4c7d-b07d-4acb93ae9346" ], "x-ms-correlation-request-id": [ - "a770049e-2694-4ea6-bc14-a1dc5c9507cb" + "73fdd176-4e71-4c7d-b07d-4acb93ae9346" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180533Z:a770049e-2694-4ea6-bc14-a1dc5c9507cb" + "WESTCENTRALUS:20210427T173744Z:73fdd176-4e71-4c7d-b07d-4acb93ae9346" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:05:33 GMT" + "Tue, 27 Apr 2021 17:37:43 GMT" ], "Content-Length": [ "21" @@ -1996,16 +2794,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/2de1bcd8-a95e-49d9-992a-b4147fd5a716?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzJkZTFiY2Q4LWE5NWUtNDlkOS05OTJhLWI0MTQ3ZmQ1YTcxNj9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d2c15fa7-fc9c-48c7-b54f-713b1575829e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2QyYzE1ZmE3LWZjOWMtNDhjNy1iNTRmLTcxM2IxNTc1ODI5ZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -2025,22 +2823,22 @@ "Microsoft-HTTPAPI/2.0" ], "x-ms-ratelimit-remaining-subscription-reads": [ - "11970" + "11955" ], "x-ms-request-id": [ - "87b952db-4aac-4572-a796-25984d4a537b" + "188ef861-c629-4108-b956-e441c677fd74" ], "x-ms-correlation-request-id": [ - "87b952db-4aac-4572-a796-25984d4a537b" + "188ef861-c629-4108-b956-e441c677fd74" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180603Z:87b952db-4aac-4572-a796-25984d4a537b" + "WESTCENTRALUS:20210427T173814Z:188ef861-c629-4108-b956-e441c677fd74" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:06:03 GMT" + "Tue, 27 Apr 2021 17:38:13 GMT" ], "Content-Length": [ "22" @@ -2053,22 +2851,22 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/databaseAccounts?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9kYXRhYmFzZUFjY291bnRzP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/databaseAccounts?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9kYXRhYmFzZUFjY291bnRzP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "6c79392f-8b2b-419a-8a11-b2e170990350" + "c0bc23ba-ea55-4cc0-b1a8-c953e4fafd4b" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -2087,16 +2885,16 @@ "" ], "x-ms-ratelimit-remaining-subscription-reads": [ - "11968" + "11953" ], "x-ms-request-id": [ - "e9046709-7749-4880-bd95-545c49ccd289" + "4cb8265c-b460-4876-929b-cf4e34723a35" ], "x-ms-correlation-request-id": [ - "e9046709-7749-4880-bd95-545c49ccd289" + "4cb8265c-b460-4876-929b-cf4e34723a35" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180615Z:e9046709-7749-4880-bd95-545c49ccd289" + "WESTCENTRALUS:20210427T173822Z:4cb8265c-b460-4876-929b-cf4e34723a35" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -2105,7 +2903,7 @@ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:06:15 GMT" + "Tue, 27 Apr 2021 17:38:21 GMT" ], "Content-Type": [ "application/json; charset=utf-8" @@ -2114,29 +2912,29 @@ "-1" ], "Content-Length": [ - "1491335" + "1611920" ] }, - "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ragil/providers/Microsoft.DocumentDB/databaseAccounts/ragil-mongo-36\",\r\n \"name\": \"ragil-mongo-36\",\r\n \"location\": \"France Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-20T17:32:19.64468Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ragil-mongo-36.documents.azure.com:443/\",\r\n \"mongoEndpoint\": \"https://ragil-mongo-36.mongo.cosmos.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"e1276bdc-92ab-4806-91b0-ab3c9a7cad45\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ragil-mongo-36-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://ragil-mongo-36-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ragil-mongo-36-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://ragil-mongo-36-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ragil-mongo-36-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://ragil-mongo-36-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ragil-mongo-36-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": 1\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi-test-mongo/providers/Microsoft.DocumentDB/databaseAccounts/actualmongoqwert36singlelocation\",\r\n \"name\": \"actualmongoqwert36singlelocation\",\r\n \"location\": \"France Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-17T01:42:42.6939712Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://actualmongoqwert36singlelocation.documents.azure.com:443/\",\r\n \"mongoEndpoint\": \"https://actualmongoqwert36singlelocation.mongo.cosmos.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1d7750a0-7edf-4939-b486-370d049c1e5b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"actualmongoqwert36singlelocation-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert36singlelocation-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"actualmongoqwert36singlelocation-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert36singlelocation-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"actualmongoqwert36singlelocation-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert36singlelocation-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"actualmongoqwert36singlelocation-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": 1\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ratnakv/providers/Microsoft.DocumentDB/databaseAccounts/ratna-test\",\r\n \"name\": \"ratna-test\",\r\n \"location\": \"France Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-05-31T23:05:44.5987225Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ratna-test.documents.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"dea07b6f-1d64-4485-939b-4f04b34e8769\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ratna-test-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://ratna-test-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ratna-test-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://ratna-test-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ratna-test-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://ratna-test-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ratna-test-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableAggregationPipeline\"\r\n },\r\n {\r\n \"name\": \"AllowSelfServeUpgradeToMongo36\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": 1\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi-test-mongo/providers/Microsoft.DocumentDB/databaseAccounts/actualmongoqwert2\",\r\n \"name\": \"actualmongoqwert2\",\r\n \"location\": \"Australia Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-17T01:45:36.1697892Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://actualmongoqwert2.documents.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"9ee6cd48-1f3a-48a1-99df-b952f975f176\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"actualmongoqwert2-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert2-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"actualmongoqwert2-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert2-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"actualmongoqwert2-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert2-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"actualmongoqwert2-eastus\",\r\n \"locationName\": \"East US\",\r\n \"documentEndpoint\": \"https://actualmongoqwert2-eastus.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"actualmongoqwert2-germanywestcentral\",\r\n \"locationName\": \"Germany West Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert2-germanywestcentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 3,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"actualmongoqwert2-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert2-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"actualmongoqwert2-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert2-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"actualmongoqwert2-eastus\",\r\n \"locationName\": \"East US\",\r\n \"documentEndpoint\": \"https://actualmongoqwert2-eastus.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"actualmongoqwert2-germanywestcentral\",\r\n \"locationName\": \"Germany West Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert2-germanywestcentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 3,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"actualmongoqwert2-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"actualmongoqwert2-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"failoverPriority\": 1\r\n },\r\n {\r\n \"id\": \"actualmongoqwert2-eastus\",\r\n \"locationName\": \"East US\",\r\n \"failoverPriority\": 2\r\n },\r\n {\r\n \"id\": \"actualmongoqwert2-germanywestcentral\",\r\n \"locationName\": \"Germany West Central\",\r\n \"failoverPriority\": 3\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": 1\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi-test-mongo/providers/Microsoft.DocumentDB/databaseAccounts/actualmongoqwert36\",\r\n \"name\": \"actualmongoqwert36\",\r\n \"location\": \"Australia Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-17T01:45:20.280228Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://actualmongoqwert36.documents.azure.com:443/\",\r\n \"mongoEndpoint\": \"https://actualmongoqwert36.mongo.cosmos.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"22ceddea-71b4-4a5e-beb2-5ab8231205fc\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"actualmongoqwert36-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert36-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"actualmongoqwert36-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert36-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"actualmongoqwert36-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert36-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"actualmongoqwert36-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert36-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"actualmongoqwert36-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert36-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"actualmongoqwert36-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"actualmongoqwert36-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": 1\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/asdfasdfasdfasdf123456788921\",\r\n \"name\": \"asdfasdfasdfasdf123456788921\",\r\n \"location\": \"Australia Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-11-12T23:23:02.7912894Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://asdfasdfasdfasdf123456788921.documents.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"34d91df2-6e99-4100-bdc0-1540e6a4ed0a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"asdfasdfasdfasdf123456788921-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://asdfasdfasdfasdf123456788921-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"asdfasdfasdfasdf123456788921-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://asdfasdfasdfasdf123456788921-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"asdfasdfasdfasdf123456788921-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://asdfasdfasdfasdf123456788921-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"asdfasdfasdfasdf123456788921-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": 1\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashtest/providers/Microsoft.DocumentDB/databaseAccounts/ash-sql123\",\r\n \"name\": \"ash-sql123\",\r\n \"location\": \"Australia Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-11-15T00:15:57.3414948Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-sql123.documents.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"69a22da2-80fc-4341-9690-9218800628c2\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-sql123-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://ash-sql123-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ash-sql123-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ash-sql123-southeastasia.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ash-sql123-eastasia\",\r\n \"locationName\": \"East Asia\",\r\n \"documentEndpoint\": \"https://ash-sql123-eastasia.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-sql123-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://ash-sql123-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ash-sql123-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ash-sql123-southeastasia.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ash-sql123-eastasia\",\r\n \"locationName\": \"East Asia\",\r\n \"documentEndpoint\": \"https://ash-sql123-eastasia.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-sql123-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://ash-sql123-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ash-sql123-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ash-sql123-southeastasia.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ash-sql123-eastasia\",\r\n \"locationName\": \"East Asia\",\r\n \"documentEndpoint\": \"https://ash-sql123-eastasia.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-sql123-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"ash-sql123-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 1\r\n },\r\n {\r\n \"id\": \"ash-sql123-eastasia\",\r\n \"locationName\": \"East Asia\",\r\n \"failoverPriority\": 2\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": 1\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/ash-sqltest1\",\r\n \"name\": \"ash-sqltest1\",\r\n \"location\": \"Australia Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-25T19:31:26.5143301Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-sqltest1.documents.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c96a51f5-e646-469a-bccf-ca0834269ada\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-sqltest1-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://ash-sqltest1-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-sqltest1-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://ash-sqltest1-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-sqltest1-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://ash-sqltest1-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-sqltest1-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": 1\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/Devansh-Test_env/providers/Microsoft.DocumentDB/databaseAccounts/defrag-testing\",\r\n \"name\": \"defrag-testing\",\r\n \"location\": \"Australia Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-01T03:28:01.8404106Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://defrag-testing.documents.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"68cff86c-b880-4d09-8211-4a6e4b38a9a0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"defrag-testing-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://defrag-testing-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"defrag-testing-australiacentral2\",\r\n \"locationName\": \"Australia Central 2\",\r\n \"documentEndpoint\": \"https://defrag-testing-australiacentral2.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"defrag-testing-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://defrag-testing-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"defrag-testing-australiacentral2\",\r\n \"locationName\": \"Australia Central 2\",\r\n \"documentEndpoint\": \"https://defrag-testing-australiacentral2.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"defrag-testing-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://defrag-testing-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"defrag-testing-australiacentral2\",\r\n \"locationName\": \"Australia Central 2\",\r\n \"documentEndpoint\": \"https://defrag-testing-australiacentral2.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"defrag-testing-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"defrag-testing-australiacentral2\",\r\n \"locationName\": \"Australia Central 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableNotebooks\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": 1\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi-test-mongo/providers/Microsoft.DocumentDB/databaseAccounts/mongo-ahc7b66s2t4kc\",\r\n \"name\": \"mongo-ahc7b66s2t4kc\",\r\n \"location\": \"Australia Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-03-10T18:27:13.1493942Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo-ahc7b66s2t4kc.documents.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8cac4b70-6901-442c-80bb-4c5b946099fd\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo-ahc7b66s2t4kc-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongo-ahc7b66s2t4kc-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo-ahc7b66s2t4kc-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongo-ahc7b66s2t4kc-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo-ahc7b66s2t4kc-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongo-ahc7b66s2t4kc-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo-ahc7b66s2t4kc-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"AllowSelfServeUpgradeToMongo36\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": 1\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi-test-mongo/providers/Microsoft.DocumentDB/databaseAccounts/mongoclient2222\",\r\n \"name\": \"mongoclient2222\",\r\n \"location\": \"Australia Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-23T22:45:44.9511468Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongoclient2222.documents.azure.com:443/\",\r\n \"mongoEndpoint\": \"https://mongoclient2222.mongo.cosmos.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"bec6897c-ab77-4059-afa2-83ce4b16f2bd\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongoclient2222-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongoclient2222-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongoclient2222-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongoclient2222-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongoclient2222-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongoclient2222-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongoclient2222-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": 1\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi-test-mongo/providers/Microsoft.DocumentDB/databaseAccounts/mongodb-ahc7b66s2t4kc\",\r\n \"name\": \"mongodb-ahc7b66s2t4kc\",\r\n \"location\": \"Australia Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-03-10T00:11:44.1130123Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongodb-ahc7b66s2t4kc.documents.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"14ce2af7-9f51-480f-8c7a-3875188fc020\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongodb-ahc7b66s2t4kc-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongodb-ahc7b66s2t4kc-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongodb-ahc7b66s2t4kc-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongodb-ahc7b66s2t4kc-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongodb-ahc7b66s2t4kc-switzerlandnorth\",\r\n \"locationName\": \"Switzerland North\",\r\n \"documentEndpoint\": \"https://mongodb-ahc7b66s2t4kc-switzerlandnorth.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongodb-ahc7b66s2t4kc-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongodb-ahc7b66s2t4kc-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongodb-ahc7b66s2t4kc-switzerlandnorth\",\r\n \"locationName\": \"Switzerland North\",\r\n \"documentEndpoint\": \"https://mongodb-ahc7b66s2t4kc-switzerlandnorth.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongodb-ahc7b66s2t4kc-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"mongodb-ahc7b66s2t4kc-switzerlandnorth\",\r\n \"locationName\": \"Switzerland North\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"AllowSelfServeUpgradeToMongo36\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": 1\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi-test-mongo/providers/Microsoft.DocumentDB/databaseAccounts/mongodb1123\",\r\n \"name\": \"mongodb1123\",\r\n \"location\": \"Australia Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-03-10T00:29:19.9514236Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongodb1123.documents.azure.com:443/\",\r\n \"mongoEndpoint\": \"https://mongodb1123.mongo.cosmos.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"2e2249f2-12a8-4c01-be77-2c05c4049b8f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongodb1123-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongodb1123-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongodb1123-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongodb1123-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongodb1123-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://mongodb1123-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongodb1123-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongodb1123-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongodb1123-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://mongodb1123-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongodb1123-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"mongodb1123-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"MongoDBv3.4\"\r\n },\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": 1\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi-test-mongo/providers/Microsoft.DocumentDB/databaseAccounts/mongoqwert\",\r\n \"name\": \"mongoqwert\",\r\n \"location\": \"Australia Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-03-10T00:54:16.955988Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongoqwert.documents.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d9ddecd5-4460-4106-b074-b6c09bcb4104\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongoqwert-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongoqwert-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongoqwert-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongoqwert-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongoqwert-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://mongoqwert-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongoqwert-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongoqwert-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongoqwert-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://mongoqwert-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongoqwert-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"mongoqwert-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"AllowSelfServeUpgradeToMongo36\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": 1\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/testdupdel\",\r\n \"name\": \"testdupdel\",\r\n \"location\": \"Australia Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-24T18:04:52.1779802Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testdupdel.documents.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a6124ad6-c6d8-4082-b0a7-f422eef7bf22\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testdupdel-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://testdupdel-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testdupdel-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://testdupdel-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testdupdel-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://testdupdel-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testdupdel-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": 1\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/ash-gremlin-test\",\r\n \"name\": \"ash-gremlin-test\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-25T22:02:12.9775347Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-gremlin-test.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://ash-gremlin-test.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"0830695b-8432-4b15-88d3-45b685e0b6a4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-gremlin-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://ash-gremlin-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-gremlin-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://ash-gremlin-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-gremlin-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://ash-gremlin-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-gremlin-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/ash-table-test\",\r\n \"name\": \"ash-table-test\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-25T23:21:50.1375571Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-table-test.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://ash-table-test.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"38b9a7a6-ac1c-4b98-b010-848d48deab03\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-table-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://ash-table-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-table-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://ash-table-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-table-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://ash-table-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-table-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [\r\n {\r\n \"allowedOrigins\": \"*\"\r\n }\r\n ],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/boeing-garyrush/providers/Microsoft.DocumentDB/databaseAccounts/boeingevents\",\r\n \"name\": \"boeingevents\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-04T19:57:40.2034526Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://boeingevents.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://boeingevents.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"b8f5d2d7-f46e-4b55-99ef-a287df9dfbea\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"boeingevents-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://boeingevents-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"boeingevents-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://boeingevents-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"boeingevents-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://boeingevents-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"boeingevents-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stagenorthcentralus1cm1\",\r\n \"name\": \"canary-stagenorthcentralus1cm1\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-12T22:39:06.6621633Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stagenorthcentralus1cm1.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://canary-stagenorthcentralus1cm1.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"0ed64378-9372-4bdc-85d5-96ccfeae9509\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stagenorthcentralus1cm1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://canary-stagenorthcentralus1cm1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stagenorthcentralus1cm1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://canary-stagenorthcentralus1cm1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stagenorthcentralus1cm1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://canary-stagenorthcentralus1cm1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stagenorthcentralus1cm1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-staging2\",\r\n \"name\": \"canary-staging2\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-16T21:30:41.3739266Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-staging2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"61b7d6c8-81c7-41ff-b29c-d7adde252039\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-staging2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://canary-staging2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-staging2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://canary-staging2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-staging2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://canary-staging2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-staging2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jihmmtest/providers/Microsoft.DocumentDB/databaseAccounts/casey-mm-test\",\r\n \"name\": \"casey-mm-test\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-18T04:02:51.220772Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://casey-mm-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"71f7e1be-2559-4117-8a47-93851f42e94f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"casey-mm-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://casey-mm-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"casey-mm-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://casey-mm-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"casey-mm-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://casey-mm-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"casey-mm-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://casey-mm-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"casey-mm-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://casey-mm-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"casey-mm-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://casey-mm-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"casey-mm-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://casey-mm-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"casey-mm-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://casey-mm-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"casey-mm-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://casey-mm-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"casey-mm-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"casey-mm-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n },\r\n {\r\n \"id\": \"casey-mm-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 2\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cassandra-platform-signoff-ncus03-rg/providers/Microsoft.DocumentDB/databaseAccounts/cassandra-platform-signoff-ncus03\",\r\n \"name\": \"cassandra-platform-signoff-ncus03\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2018-10-15T10:36:12.4906826Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassandra-platform-signoff-ncus03.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassandra-platform-signoff-ncus03.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d87fd03a-7c5e-4ec2-9de1-778dcdf98987\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassandra-platform-signoff-ncus03-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cassandra-platform-signoff-ncus03-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassandra-platform-signoff-ncus03-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cassandra-platform-signoff-ncus03-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassandra-platform-signoff-ncus03-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cassandra-platform-signoff-ncus03-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassandra-platform-signoff-ncus03-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vivekrasignoff/providers/Microsoft.DocumentDB/databaseAccounts/cassandraquerysignoff\",\r\n \"name\": \"cassandraquerysignoff\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-19T17:30:36.8546547Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassandraquerysignoff.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassandraquerysignoff.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"93e68f3b-99a2-492a-a4a5-77e994432a0f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassandraquerysignoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cassandraquerysignoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassandraquerysignoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cassandraquerysignoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassandraquerysignoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cassandraquerysignoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassandraquerysignoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/stagerunner/providers/Microsoft.DocumentDB/databaseAccounts/cassandrastagemetricsrunner\",\r\n \"name\": \"cassandrastagemetricsrunner\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"owner\": \"vivekra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-11-15T20:32:07.5253872Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassandrastagemetricsrunner.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassandrastagemetricsrunner.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"22dfff04-c0bf-4387-8f4e-72028fafb564\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassandrastagemetricsrunner-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cassandrastagemetricsrunner-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassandrastagemetricsrunner-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cassandrastagemetricsrunner-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassandrastagemetricsrunner-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cassandrastagemetricsrunner-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassandrastagemetricsrunner-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vivekrasignoff/providers/Microsoft.DocumentDB/databaseAccounts/cassstagesignoffvivekra\",\r\n \"name\": \"cassstagesignoffvivekra\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-06-10T18:34:35.5190767Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassstagesignoffvivekra.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassstagesignoffvivekra.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"9b178109-696d-4630-8c69-49c479d44b1c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassstagesignoffvivekra-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cassstagesignoffvivekra-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassstagesignoffvivekra-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cassstagesignoffvivekra-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassstagesignoffvivekra-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cassstagesignoffvivekra-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassstagesignoffvivekra-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ccxstagevalidationrg/providers/Microsoft.DocumentDB/databaseAccounts/ccx-edge-mm-demo-backup\",\r\n \"name\": \"ccx-edge-mm-demo-backup\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-11T00:08:26.5965782Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ccx-edge-mm-demo-backup.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://ccx-edge-mm-demo-backup.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"2e5499ec-ff2e-4928-941d-36781974cac9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"small\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ccx-edge-mm-demo-backup-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://ccx-edge-mm-demo-backup-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ccx-edge-mm-demo-backup-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://ccx-edge-mm-demo-backup-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ccx-edge-mm-demo-backup-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://ccx-edge-mm-demo-backup-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ccx-edge-mm-demo-backup-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/chrande-test/providers/Microsoft.DocumentDB/databaseAccounts/chrande-mongo-test-40-portal\",\r\n \"name\": \"chrande-mongo-test-40-portal\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-22T02:28:23.312616Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://chrande-mongo-test-40-portal.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://chrande-mongo-test-40-portal.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8bd4d04e-56a6-450c-9b0b-761242f321ee\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"chrande-mongo-test-40-portal-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://chrande-mongo-test-40-portal-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"chrande-mongo-test-40-portal-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://chrande-mongo-test-40-portal-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"chrande-mongo-test-40-portal-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://chrande-mongo-test-40-portal-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"chrande-mongo-test-40-portal-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/chrande-test/providers/Microsoft.DocumentDB/databaseAccounts/chrande-test-mongo-32-update\",\r\n \"name\": \"chrande-test-mongo-32-update\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-22T04:34:44.2723741Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://chrande-test-mongo-32-update.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://chrande-test-mongo-32-update.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"f99944e3-ffe6-4214-b163-6beb06deb5a1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"chrande-test-mongo-32-update-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://chrande-test-mongo-32-update-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"chrande-test-mongo-32-update-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://chrande-test-mongo-32-update-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"chrande-test-mongo-32-update-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://chrande-test-mongo-32-update-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"chrande-test-mongo-32-update-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ratnakv/providers/Microsoft.DocumentDB/databaseAccounts/computecachetest\",\r\n \"name\": \"computecachetest\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-04-29T18:40:43.9744746Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://computecachetest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c39267d2-3c84-4da9-a57f-59b1c4a65a50\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"computecachetest-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://computecachetest-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"computecachetest-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://computecachetest-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"computecachetest-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://computecachetest-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"computecachetest-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ratnakv/providers/Microsoft.DocumentDB/databaseAccounts/computecachetest2\",\r\n \"name\": \"computecachetest2\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-04-29T19:04:39.9778253Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://computecachetest2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"9c5c13db-83a8-4fe8-b88b-ec237724175a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"computecachetest2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://computecachetest2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"computecachetest2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://computecachetest2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"computecachetest2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://computecachetest2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"computecachetest2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/demo/providers/Microsoft.DocumentDB/databaseAccounts/cosmos-gremlin-cli-signoff\",\r\n \"name\": \"cosmos-gremlin-cli-signoff\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-05-10T22:08:25.8050599Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cosmos-gremlin-cli-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://cosmos-gremlin-cli-signoff.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"3793a1a9-5d81-4f95-a6b9-952bcabe863c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cosmos-gremlin-cli-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cosmos-gremlin-cli-signoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cosmos-gremlin-cli-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cosmos-gremlin-cli-signoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cosmos-gremlin-cli-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cosmos-gremlin-cli-signoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cosmos-gremlin-cli-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cosmosxinfrastructure/providers/Microsoft.DocumentDB/databaseAccounts/cosmosxinfradb\",\r\n \"name\": \"cosmosxinfradb\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\",\r\n \"contact\": \"cosmosxc\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-10-25T06:18:35.0254807Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cosmosxinfradb.sql.cosmos.windows-ppe.net:443/\",\r\n \"sqlEndpoint\": \"https://cosmosxinfradb.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"355ca5b8-788f-46cd-967c-c2337782b8a4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cosmosxinfradb-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cosmosxinfradb-southeastasia.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cosmosxinfradb-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cosmosxinfradb-southeastasia.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cosmosxinfradb-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cosmosxinfradb-southeastasia.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cosmosxinfradb-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSql\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cph-stage-northcentralus-rg/providers/Microsoft.DocumentDB/databaseAccounts/cph-stage-northcentralus\",\r\n \"name\": \"cph-stage-northcentralus\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T17:45:51.6022256Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cph-stage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"9eff1563-5f4c-4705-b53d-a2506b035173\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cph-stage-northcentralus-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cph-stage-northcentralus-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cph-stage-northcentralus-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cph-stage-northcentralus-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"cph-stage-northcentralus-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-northcentralus-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cph-stage-northcentralus-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cph-stage-northcentralus-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"cph-stage-northcentralus-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-northcentralus-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cph-stage-northcentralus-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"cph-stage-northcentralus-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cph-stage-northcentralus-rg/providers/Microsoft.DocumentDB/databaseAccounts/cph-stage-northcentralus-cx\",\r\n \"name\": \"cph-stage-northcentralus-cx\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T17:54:11.0853863Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cph-stage-northcentralus-cx.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cph-stage-northcentralus-cx.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"4a1a7aa3-ec41-4ec8-a7ab-3a322dd03ad8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cph-stage-northcentralus-cx-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cph-stage-northcentralus-cx-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cph-stage-northcentralus-cx-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cph-stage-northcentralus-cx-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cph-stage-northcentralus-cx-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cph-stage-northcentralus-cx-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cph-stage-northcentralus-cx-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cph-stage-northcentralus-rg/providers/Microsoft.DocumentDB/databaseAccounts/cph-stage-northcentralus-gln\",\r\n \"name\": \"cph-stage-northcentralus-gln\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T17:56:06.5740884Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cph-stage-northcentralus-gln.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://cph-stage-northcentralus-gln.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"2e875dd0-2283-405f-a697-b772b7beb60c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cph-stage-northcentralus-gln-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cph-stage-northcentralus-gln-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cph-stage-northcentralus-gln-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cph-stage-northcentralus-gln-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cph-stage-northcentralus-gln-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cph-stage-northcentralus-gln-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cph-stage-northcentralus-gln-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cph-stage-northcentralus-rg/providers/Microsoft.DocumentDB/databaseAccounts/cph-stage-northcentralus-mgo32\",\r\n \"name\": \"cph-stage-northcentralus-mgo32\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T17:56:01.6643682Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cph-stage-northcentralus-mgo32.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"5f092995-a4d8-4cd6-b139-ab08ad58ce29\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cph-stage-northcentralus-mgo32-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cph-stage-northcentralus-mgo32-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cph-stage-northcentralus-mgo32-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cph-stage-northcentralus-mgo32-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cph-stage-northcentralus-mgo32-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cph-stage-northcentralus-mgo32-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cph-stage-northcentralus-mgo32-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cph-stage-northcentralus-rg/providers/Microsoft.DocumentDB/databaseAccounts/cph-stage-northcentralus-sql\",\r\n \"name\": \"cph-stage-northcentralus-sql\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T17:54:05.6139206Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cph-stage-northcentralus-sql.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8d62f52c-1d11-4b14-aa9b-a133fe707c86\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cph-stage-northcentralus-sql-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cph-stage-northcentralus-sql-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cph-stage-northcentralus-sql-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cph-stage-northcentralus-sql-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cph-stage-northcentralus-sql-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cph-stage-northcentralus-sql-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cph-stage-northcentralus-sql-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/crowdkeeppreview/providers/Microsoft.DocumentDB/databaseAccounts/crowdkeep\",\r\n \"name\": \"crowdkeep\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-06T08:42:40.758407Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://crowdkeep.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://crowdkeep.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"5a0a760f-04e9-45c5-98f3-b393685acc68\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"crowdkeep-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://crowdkeep-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"crowdkeep-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://crowdkeep-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"crowdkeep-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://crowdkeep-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"crowdkeep-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mongo-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/cursortest-mongo\",\r\n \"name\": \"cursortest-mongo\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"MongoDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-11-07T22:17:50.0537296Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cursortest-mongo.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://cursortest-mongo.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"57029808-86eb-4ac9-96ef-675990245d9f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cursortest-mongo-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cursortest-mongo-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"cursortest-mongo-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cursortest-mongo-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cursortest-mongo-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cursortest-mongo-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"cursortest-mongo-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cursortest-mongo-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cursortest-mongo-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cursortest-mongo-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"cursortest-mongo-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cursortest-mongo-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cursortest-mongo-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"cursortest-mongo-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cosmosdbqueryteam/providers/Microsoft.DocumentDB/databaseAccounts/customertest1\",\r\n \"name\": \"customertest1\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-02-12T07:13:03.2287797Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://customertest1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a20ca0bd-f814-4153-8fe0-afd87f2fa65c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"customertest1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://customertest1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"customertest1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://customertest1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"customertest1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://customertest1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"customertest1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [\r\n {\r\n \"allowedOrigins\": \"*\"\r\n }\r\n ],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/dox-staging/providers/Microsoft.DocumentDB/databaseAccounts/dox-table-staging-mm\",\r\n \"name\": \"dox-table-staging-mm\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Table\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-18T17:36:03.1916682Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://dox-table-staging-mm.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://dox-table-staging-mm.table.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d8c3478a-f2f1-4e12-901f-27f929138d85\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"dox-table-staging-mm-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://dox-table-staging-mm-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"dox-table-staging-mm-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://dox-table-staging-mm-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"dox-table-staging-mm-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://dox-table-staging-mm-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"dox-table-staging-mm-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://dox-table-staging-mm-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"dox-table-staging-mm-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://dox-table-staging-mm-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"dox-table-staging-mm-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://dox-table-staging-mm-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"dox-table-staging-mm-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://dox-table-staging-mm-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"dox-table-staging-mm-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://dox-table-staging-mm-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"dox-table-staging-mm-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://dox-table-staging-mm-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"dox-table-staging-mm-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"dox-table-staging-mm-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n },\r\n {\r\n \"id\": \"dox-table-staging-mm-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 2\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/dxcpreview/providers/Microsoft.DocumentDB/databaseAccounts/dxc\",\r\n \"name\": \"dxc\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-06T07:07:13.5966847Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://dxc.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://dxc.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"0b42126d-b8d4-4977-8bca-868f791e49f6\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"dxc-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://dxc-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"dxc-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://dxc-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"dxc-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://dxc-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"dxc-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testetcd/providers/Microsoft.DocumentDB/databaseAccounts/etcdsignoff0610a\",\r\n \"name\": \"etcdsignoff0610a\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Etcd\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-10T18:51:29.7518184Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://etcdsignoff0610a.documents-staging.windows-ppe.net:443/\",\r\n \"etcdEndpoint\": \"https://etcdsignoff0610a.etcd.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql, Etcd\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"2bec1ce6-81cd-4e63-a48a-4537b38a7b6e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"etcdsignoff0610a-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://etcdsignoff0610a-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"etcdsignoff0610a-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://etcdsignoff0610a-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"etcdsignoff0610a-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://etcdsignoff0610a-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"etcdsignoff0610a-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableEtcd\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/etcdstage/providers/Microsoft.DocumentDB/databaseAccounts/etcdstagencus1\",\r\n \"name\": \"etcdstagencus1\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Etcd\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-01-25T20:38:35.0298082Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://etcdstagencus1.documents-staging.windows-ppe.net:443/\",\r\n \"etcdEndpoint\": \"https://etcdstagencus1.etcd.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql, Etcd\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"f92d5e56-da24-4bad-ba46-9d6e1154349d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"etcdstagencus1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://etcdstagencus1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"etcdstagencus1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://etcdstagencus1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"etcdstagencus1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://etcdstagencus1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"etcdstagencus1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableEtcd\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/etcdstage/providers/Microsoft.DocumentDB/databaseAccounts/etcdstagencus2\",\r\n \"name\": \"etcdstagencus2\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Etcd\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-03-26T22:17:59.1224071Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://etcdstagencus2.documents-staging.windows-ppe.net:443/\",\r\n \"etcdEndpoint\": \"https://etcdstagencus2.etcd.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql, Etcd\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a0991bac-ea4c-446c-9953-121557e9fa95\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"etcdstagencus2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://etcdstagencus2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"etcdstagencus2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://etcdstagencus2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"etcdstagencus2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://etcdstagencus2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"etcdstagencus2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableEtcd\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jihmmtest/providers/Microsoft.DocumentDB/databaseAccounts/ford-mongo-mm\",\r\n \"name\": \"ford-mongo-mm\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"MongoDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-12T18:21:28.2105353Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ford-mongo-mm.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"5d390740-cf60-4622-8cc7-6fc474a7b377\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ford-mongo-mm-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ford-mongo-mm-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ford-mongo-mm-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://ford-mongo-mm-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ford-mongo-mm-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ford-mongo-mm-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ford-mongo-mm-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ford-mongo-mm-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ford-mongo-mm-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://ford-mongo-mm-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ford-mongo-mm-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ford-mongo-mm-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ford-mongo-mm-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ford-mongo-mm-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ford-mongo-mm-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://ford-mongo-mm-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ford-mongo-mm-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ford-mongo-mm-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ford-mongo-mm-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"ford-mongo-mm-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 2\r\n },\r\n {\r\n \"id\": \"ford-mongo-mm-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-create-7-2\",\r\n \"name\": \"gremlin-create-7-2\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-11T18:45:42.0201653Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-create-7-2.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-create-7-2.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"0376d463-5459-48d7-8836-601f60a7c7ae\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-create-7-2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-create-7-2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-create-7-2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-create-7-2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-create-7-2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-create-7-2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-create-7-2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-create-test\",\r\n \"name\": \"gremlin-create-test\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-06-22T02:08:31.6561524Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-create-test.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-create-test.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"36566f00-f45f-45b3-bc89-3a74fd1ab6ac\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-create-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-create-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-create-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-create-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-create-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-create-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-create-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-en20180628\",\r\n \"name\": \"gremlin-en20180628\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Graph\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-07-12T19:17:20.4275521Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-en20180628.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-en20180628.gremlin.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"9cfe8d1c-0362-490a-9d73-1512d2b4cdd7\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-en20180628-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-en20180628-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-en20180628-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-en20180628-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-en20180628-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-en20180628-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-en20180628-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging-eastus2/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-maxjoin-test2\",\r\n \"name\": \"gremlin-maxjoin-test2\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-06-17T19:14:52.2282262Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-maxjoin-test2.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-maxjoin-test2.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"83c9546d-797a-4bf7-959f-a45a403f45ff\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-maxjoin-test2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-maxjoin-test2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-maxjoin-test2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-maxjoin-test2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-maxjoin-test2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-maxjoin-test2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-maxjoin-test2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-staging-ncus\",\r\n \"name\": \"gremlin-staging-ncus\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-11-12T19:35:58.2885645Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-staging-ncus.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-staging-ncus.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"0201e780-2feb-454c-aeb0-a591b2f786d4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-staging-ncus-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-staging-ncus-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-staging-ncus-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-staging-ncus-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-staging-ncus-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-staging-ncus-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-staging-ncus-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-staging-ncus-v2sdk\",\r\n \"name\": \"gremlin-staging-ncus-v2sdk\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-02-28T20:26:53.2466425Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-staging-ncus-v2sdk.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-staging-ncus-v2sdk.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"ca02791b-1b0e-45de-86a3-7b9b82f7a686\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-staging-ncus-v2sdk-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-staging-ncus-v2sdk-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-staging-ncus-v2sdk-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-staging-ncus-v2sdk-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-staging-ncus-v2sdk-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-staging-ncus-v2sdk-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-staging-ncus-v2sdk-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging/providers/Microsoft.DocumentDB/databaseAccounts/gremlinstage1010cli\",\r\n \"name\": \"gremlinstage1010cli\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-16T00:32:33.729965Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlinstage1010cli.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlinstage1010cli.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"e7cccc46-4940-4d20-b8ae-93ed87375647\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlinstage1010cli-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlinstage1010cli-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlinstage1010cli-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlinstage1010cli-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlinstage1010cli-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlinstage1010cli-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlinstage1010cli-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/harinic/providers/Microsoft.DocumentDB/databaseAccounts/harinicstage2\",\r\n \"name\": \"harinicstage2\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-26T18:20:24.9238086Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://harinicstage2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"120101e0-7e5f-4194-9539-0ea9acec4348\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"harinicstage2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://harinicstage2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"harinicstage2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://harinicstage2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"harinicstage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://harinicstage2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"harinicstage2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://harinicstage2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"harinicstage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://harinicstage2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"harinicstage2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"harinicstage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/akash-cassandra-northcentralus-resource/providers/Microsoft.DocumentDB/databaseAccounts/harsudantest7\",\r\n \"name\": \"harsudantest7\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-18T21:56:18.8457915Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://harsudantest7.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"91c4cf3f-907d-479f-9bdc-d7e7a67b802e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"harsudantest7-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://harsudantest7-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"harsudantest7-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://harsudantest7-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"harsudantest7-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://harsudantest7-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"harsudantest7-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://harsudantest7-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"harsudantest7-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://harsudantest7-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"harsudantest7-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"harsudantest7-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/kuma/providers/Microsoft.DocumentDB/databaseAccounts/kumacapital-nc\",\r\n \"name\": \"kumacapital-nc\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-08-24T05:39:24.5145204Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://kumacapital-nc.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://kumacapital-nc.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"6092a46a-47bc-4c2c-ad36-26ab6c9d867f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"kumacapital-nc-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://kumacapital-nc-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"kumacapital-nc-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://kumacapital-nc-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"kumacapital-nc-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://kumacapital-nc-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"kumacapital-nc-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shreshts/providers/Microsoft.DocumentDB/databaseAccounts/messi\",\r\n \"name\": \"messi\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-16T19:20:28.5202571Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://messi.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"519a68a6-21bc-4840-a6aa-4bac329bcee6\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"messi-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://messi-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"messi-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://messi-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"messi-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://messi-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"messi-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://messi-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"messi-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://messi-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"messi-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://messi-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"messi-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://messi-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"messi-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://messi-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"messi-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://messi-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"messi-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"messi-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 2\r\n },\r\n {\r\n \"id\": \"messi-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shqintest/providers/Microsoft.DocumentDB/databaseAccounts/metricstestingstage\",\r\n \"name\": \"metricstestingstage\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\",\r\n \"testtag\": \"abc\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-12-11T23:59:06.0447436Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://metricstestingstage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"828a4909-dc02-4f95-a2d2-9c159df2339d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"metricstestingstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://metricstestingstage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"metricstestingstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://metricstestingstage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"metricstestingstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://metricstestingstage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"metricstestingstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwsing-rg/providers/Microsoft.DocumentDB/databaseAccounts/mognostagesignoff7\",\r\n \"name\": \"mognostagesignoff7\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-26T18:18:36.2451251Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mognostagesignoff7.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mognostagesignoff7.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"2e96413c-65e2-49d8-aeef-0806e98e3a5e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mognostagesignoff7-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mognostagesignoff7-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mognostagesignoff7-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mognostagesignoff7-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mognostagesignoff7-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mognostagesignoff7-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mognostagesignoff7-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"104.42.195.92\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"40.76.54.131\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.176.6.30\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.169.50.45\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.187.184.26\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mominag-cassandra/providers/Microsoft.DocumentDB/databaseAccounts/mominag-stagec1\",\r\n \"name\": \"mominag-stagec1\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-12-20T22:23:31.7773687Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mominag-stagec1.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://mominag-stagec1.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"0b52698f-beb5-42c5-bcce-56e4497daa07\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mominag-stagec1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mominag-stagec1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mominag-stagec1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mominag-stagec1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mominag-stagec1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mominag-stagec1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mominag-stagec1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mominag-stagec1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mominag-stagec1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mominag-stagec1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mominag-stagec1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mominag-stagec1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mominag-stagec1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"mominag-stagec1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/babatsai-rg-signoff/providers/Microsoft.DocumentDB/databaseAccounts/mong-test\",\r\n \"name\": \"mong-test\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-04T00:42:03.6377663Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mong-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"4dc7f5de-13c9-4abb-8ac0-63f188e834c1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mong-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mong-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mong-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mong-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mong-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mong-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mong-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mongo-multimaster-signoff/providers/Microsoft.DocumentDB/databaseAccounts/mongo-multimaster-signoffalt\",\r\n \"name\": \"mongo-multimaster-signoffalt\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"MongoDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-10-09T18:34:18.9363857Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo-multimaster-signoffalt.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"e3666bfd-d259-4244-842c-7c7739391e1f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo-multimaster-signoffalt-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-multimaster-signoffalt-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongo-multimaster-signoffalt-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo-multimaster-signoffalt-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo-multimaster-signoffalt-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-multimaster-signoffalt-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongo-multimaster-signoffalt-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo-multimaster-signoffalt-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo-multimaster-signoffalt-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-multimaster-signoffalt-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongo-multimaster-signoffalt-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo-multimaster-signoffalt-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo-multimaster-signoffalt-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"mongo-multimaster-signoffalt-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"mongoEnableDocLevelTTL\"\r\n },\r\n {\r\n \"name\": \"EnableAggregationPipeline\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mongo-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/mongo-stage-bsonv2-signoff\",\r\n \"name\": \"mongo-stage-bsonv2-signoff\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"MongoDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-05-17T18:11:55.0700337Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo-stage-bsonv2-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"26e870fd-279c-4070-b303-27996d65667c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo-stage-bsonv2-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo-stage-bsonv2-signoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo-stage-bsonv2-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo-stage-bsonv2-signoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo-stage-bsonv2-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo-stage-bsonv2-signoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo-stage-bsonv2-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableAggregationPipeline\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/mongo-stage-compute-serializer\",\r\n \"name\": \"mongo-stage-compute-serializer\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-05-21T03:11:55.1217816Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo-stage-compute-serializer.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d836ac83-9ff8-4615-a56a-40e5d0430246\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo-stage-compute-serializer-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo-stage-compute-serializer-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo-stage-compute-serializer-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo-stage-compute-serializer-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo-stage-compute-serializer-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo-stage-compute-serializer-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo-stage-compute-serializer-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableAggregationPipeline\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mongo-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/mongo-stage-signoff\",\r\n \"name\": \"mongo-stage-signoff\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"MongoDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-05-16T21:06:30.1481817Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo-stage-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"ac131391-5b9c-4739-922f-ee86a849895a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"False\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo-stage-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo-stage-signoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo-stage-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo-stage-signoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo-stage-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo-stage-signoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo-stage-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableAggregationPipeline\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/mongo40stage-aleksey\",\r\n \"name\": \"mongo40stage-aleksey\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-11T19:24:48.2610779Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo40stage-aleksey.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongo40stage-aleksey.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"4849e84f-9118-449d-9274-fd244f073898\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo40stage-aleksey-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-aleksey-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo40stage-aleksey-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-aleksey-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo40stage-aleksey-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-aleksey-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo40stage-aleksey-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/mongo40stage-andy\",\r\n \"name\": \"mongo40stage-andy\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-11T19:24:03.9943326Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo40stage-andy.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongo40stage-andy.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"488529e6-a41e-41f0-a374-06fb670214c4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo40stage-andy-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-andy-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo40stage-andy-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-andy-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo40stage-andy-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-andy-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo40stage-andy-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/mongo40stage-chris\",\r\n \"name\": \"mongo40stage-chris\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-11T19:24:32.0250361Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo40stage-chris.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongo40stage-chris.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"52474c7f-6f16-452d-8b21-6fb2095a3de8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo40stage-chris-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-chris-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo40stage-chris-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-chris-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo40stage-chris-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-chris-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo40stage-chris-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/mongo40stage-gahl\",\r\n \"name\": \"mongo40stage-gahl\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-11T19:24:42.4271159Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo40stage-gahl.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongo40stage-gahl.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8c1fa332-8606-40f7-b300-0a029116d969\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo40stage-gahl-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-gahl-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo40stage-gahl-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-gahl-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo40stage-gahl-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-gahl-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo40stage-gahl-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/mongo40stage-sergiy\",\r\n \"name\": \"mongo40stage-sergiy\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-11T19:24:45.2172839Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo40stage-sergiy.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongo40stage-sergiy.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"instanceId\": \"3fe5dd33-41cb-416a-93d2-19e7064e8355\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo40stage-sergiy-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-sergiy-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo40stage-sergiy-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-sergiy-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo40stage-sergiy-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-sergiy-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo40stage-sergiy-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwini-rg/providers/Microsoft.DocumentDB/databaseAccounts/mongolistcollection\",\r\n \"name\": \"mongolistcollection\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-04-17T22:27:07.193399Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongolistcollection.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1e5181be-bdcf-4153-91e4-31dca1eeea83\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongolistcollection-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongolistcollection-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongolistcollection-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongolistcollection-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongolistcollection-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongolistcollection-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongolistcollection-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableAggregationPipeline\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwini-rg/providers/Microsoft.DocumentDB/databaseAccounts/mongorgteststage\",\r\n \"name\": \"mongorgteststage\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-10T00:19:53.8997346Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongorgteststage.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongorgteststage.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"b386adb5-d7d7-41ec-a682-f4428d247c76\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongorgteststage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongorgteststage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongorgteststage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongorgteststage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongorgteststage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongorgteststage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongorgteststage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwini-rg/providers/Microsoft.DocumentDB/databaseAccounts/monogstagesignoff\",\r\n \"name\": \"monogstagesignoff\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-10T23:27:16.6745666Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://monogstagesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://monogstagesignoff.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"5fde5536-6ba3-49ea-aad4-bab1b61ffd71\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"monogstagesignoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://monogstagesignoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"monogstagesignoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://monogstagesignoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"monogstagesignoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://monogstagesignoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"monogstagesignoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://monogstagesignoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"monogstagesignoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://monogstagesignoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"monogstagesignoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"monogstagesignoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mtccassatest/providers/Microsoft.DocumentDB/databaseAccounts/mtctesthou\",\r\n \"name\": \"mtctesthou\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-20T03:23:25.005223Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mtctesthou.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://mtctesthou.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c6b1b220-0ab2-4e60-b9d0-7b34883b3119\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mtctesthou-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mtctesthou-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mtctesthou-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mtctesthou-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mtctesthou-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mtctesthou-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mtctesthou-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vivekrasignoff/providers/Microsoft.DocumentDB/databaseAccounts/multimasterconflictstest\",\r\n \"name\": \"multimasterconflictstest\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"owner\": \"vivekra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-12-20T23:12:43.9098667Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://multimasterconflictstest.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://multimasterconflictstest.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"fb7af021-2a85-4e1a-9b01-68e451595c2e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"multimasterconflictstest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://multimasterconflictstest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"multimasterconflictstest-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://multimasterconflictstest-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"multimasterconflictstest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://multimasterconflictstest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"multimasterconflictstest-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://multimasterconflictstest-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"multimasterconflictstest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://multimasterconflictstest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"multimasterconflictstest-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://multimasterconflictstest-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"multimasterconflictstest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"multimasterconflictstest-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nasimtest/providers/Microsoft.DocumentDB/databaseAccounts/nasimtest\",\r\n \"name\": \"nasimtest\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-06-26T16:51:35.2135853Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nasimtest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a2fc5e6f-fb71-4b50-a3cf-86d83533cf00\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nasimtest-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://nasimtest-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nasimtest-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://nasimtest-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nasimtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nasimtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nasimtest-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://nasimtest-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nasimtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nasimtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nasimtest-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"nasimtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/python-multimaster\",\r\n \"name\": \"python-multimaster\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-13T22:44:25.225715Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://python-multimaster.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"ec32a605-a0a3-4eac-8185-f1d58cf9df5c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"python-multimaster-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://python-multimaster-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"python-multimaster-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://python-multimaster-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"python-multimaster-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://python-multimaster-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"python-multimaster-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://python-multimaster-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"python-multimaster-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://python-multimaster-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"python-multimaster-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://python-multimaster-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"python-multimaster-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"python-multimaster-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 2\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/rogerspreview/providers/Microsoft.DocumentDB/databaseAccounts/rogersgeorge\",\r\n \"name\": \"rogersgeorge\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-07T01:36:53.7368553Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://rogersgeorge.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://rogersgeorge.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"2ace3ca8-489b-4787-945e-6632e2d35436\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"rogersgeorge-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://rogersgeorge-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"rogersgeorge-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://rogersgeorge-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"rogersgeorge-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://rogersgeorge-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"rogersgeorge-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sargup/providers/Microsoft.DocumentDB/databaseAccounts/sargup-testcpuspike\",\r\n \"name\": \"sargup-testcpuspike\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-04-10T00:22:21.9089302Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sargup-testcpuspike.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"08eefb6e-13d8-4423-b2d1-7bef733b92ba\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sargup-testcpuspike-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sargup-testcpuspike-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sargup-testcpuspike-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sargup-testcpuspike-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sargup-testcpuspike-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sargup-testcpuspike-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sargup-testcpuspike-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sargup-testcpuspike-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sargup-testcpuspike-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sargup-testcpuspike-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sargup-testcpuspike-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sargup-testcpuspike-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sargup-testcpuspike-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"sargup-testcpuspike-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ankshah/providers/Microsoft.DocumentDB/databaseAccounts/sharedthroughput-ankshah\",\r\n \"name\": \"sharedthroughput-ankshah\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-05-16T21:04:43.983836Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sharedthroughput-ankshah.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"04511201-e314-4108-95e7-b8818880fcbd\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sharedthroughput-ankshah-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sharedthroughput-ankshah-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sharedthroughput-ankshah-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sharedthroughput-ankshah-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sharedthroughput-ankshah-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sharedthroughput-ankshah-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sharedthroughput-ankshah-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sharedthroughput-ankshah-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sharedthroughput-ankshah-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sharedthroughput-ankshah-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sharedthroughput-ankshah-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"sharedthroughput-ankshah-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shtan-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/shtan-ncus-signoff\",\r\n \"name\": \"shtan-ncus-signoff\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-08-28T16:54:10.7184847Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shtan-ncus-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"10a9c64a-9e9c-4956-b150-47c3998e22b2\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shtan-ncus-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://shtan-ncus-signoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shtan-ncus-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://shtan-ncus-signoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"shtan-ncus-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shtan-ncus-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shtan-ncus-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://shtan-ncus-signoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"shtan-ncus-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shtan-ncus-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shtan-ncus-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"shtan-ncus-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 120,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shtan-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/shtan-signoff-1204\",\r\n \"name\": \"shtan-signoff-1204\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"restoredSourceDatabaseAccountName\": \"shtan-ncus-signoff\",\r\n \"restoredAtTimestamp\": \"12/4/2019 9:56:28 PM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-04T22:03:50.4636833Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shtan-signoff-1204.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"08b15cb4-a159-4b89-85c9-3f7e6a6b7635\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shtan-signoff-1204-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://shtan-signoff-1204-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shtan-signoff-1204-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://shtan-signoff-1204-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shtan-signoff-1204-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://shtan-signoff-1204-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shtan-signoff-1204-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 15,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/soham-test-rg/providers/Microsoft.DocumentDB/databaseAccounts/sohamtestcosmosdb\",\r\n \"name\": \"sohamtestcosmosdb\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-06-24T17:30:49.8983786Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sohamtestcosmosdb.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"f85f68fd-b3cc-4ca2-9f50-5938c6d5e3e1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Eventual\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sohamtestcosmosdb-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sohamtestcosmosdb-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sohamtestcosmosdb-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sohamtestcosmosdb-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sohamtestcosmosdb-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sohamtestcosmosdb-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sohamtestcosmosdb-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/StageSignoffEtcd/providers/Microsoft.DocumentDB/databaseAccounts/stagesignoff1\",\r\n \"name\": \"stagesignoff1\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Etcd\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-30T00:19:09.9776403Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stagesignoff1.documents-staging.windows-ppe.net:443/\",\r\n \"etcdEndpoint\": \"https://stagesignoff1.etcd.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql, Etcd\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"254085ae-4367-40aa-aa05-b35ea7e8d71e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stagesignoff1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://stagesignoff1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stagesignoff1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://stagesignoff1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stagesignoff1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://stagesignoff1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stagesignoff1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableEtcd\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/StageSignoffEtcd/providers/Microsoft.DocumentDB/databaseAccounts/stagesignoffaks1\",\r\n \"name\": \"stagesignoffaks1\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Etcd\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-30T00:29:13.4846533Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stagesignoffaks1.documents-staging.windows-ppe.net:443/\",\r\n \"etcdEndpoint\": \"https://stagesignoffaks1.etcd.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql, Etcd\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a55a2306-91b9-47b7-a0c1-da904850095c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stagesignoffaks1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://stagesignoffaks1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stagesignoffaks1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://stagesignoffaks1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stagesignoffaks1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://stagesignoffaks1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stagesignoffaks1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableEtcd\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sujitk/providers/Microsoft.DocumentDB/databaseAccounts/sujitkstage\",\r\n \"name\": \"sujitkstage\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-05-14T19:47:57.5962515Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sujitkstage.documents-staging.windows-ppe.net:443/\",\r\n \"sqlEndpoint\": \"https://sujitkstage.sql.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"eb4a65e1-6b69-4a4f-b5b8-1e44b73ccb99\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sujitkstage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sujitkstage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sujitkstage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sujitkstage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sujitkstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sujitkstage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sujitkstage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sujitkstage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sujitkstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sujitkstage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sujitkstage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"sujitkstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSql\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test1027group/providers/Microsoft.DocumentDB/databaseAccounts/test1027-1\",\r\n \"name\": \"test1027-1\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"restoredSourceDatabaseAccountName\": \"test1027-1\",\r\n \"restoredAtTimestamp\": \"11/20/2020 6:01:30 PM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-20T18:11:25.8147227Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test1027-1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a0e85731-6c30-4525-927a-bf23ff2d05dc\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test1027-1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test1027-1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test1027-1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test1027-1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations//restorableDatabaseAccounts/\",\r\n \"restoreTimestampInUtc\": \"2020-11-20T10:00:00Z\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test1027group/providers/Microsoft.DocumentDB/databaseAccounts/test1027-1-r1\",\r\n \"name\": \"test1027-1-r1\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"restoredSourceDatabaseAccountName\": \"test1027-1,test1027-1\",\r\n \"restoredAtTimestamp\": \"11/20/2020 6:01:30 PM,1/28/2021 9:25:20 PM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-28T21:38:47.9342393Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test1027-1-r1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"2024b2c0-2370-4248-a28c-9c449715b452\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test1027-1-r1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test1027-1-r1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test1027-1-r1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test1027-1-r1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations//restorableDatabaseAccounts/\",\r\n \"restoreTimestampInUtc\": \"2021-01-28T19:00:00Z\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test1027group/providers/Microsoft.DocumentDB/databaseAccounts/test1027-1-r2\",\r\n \"name\": \"test1027-1-r2\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"restoredSourceDatabaseAccountName\": \"test1027-1,test1027-1\",\r\n \"restoredAtTimestamp\": \"11/20/2020 6:01:30 PM,1/28/2021 9:25:32 PM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-28T21:31:21.8236001Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test1027-1-r2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"82eb4c16-123d-4b11-8d5c-b98a6fdc0f66\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test1027-1-r2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test1027-1-r2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test1027-1-r2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test1027-1-r2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations//restorableDatabaseAccounts/\",\r\n \"restoreTimestampInUtc\": \"2021-01-28T19:00:00Z\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test1027group/providers/Microsoft.DocumentDB/databaseAccounts/test1027-1-r3\",\r\n \"name\": \"test1027-1-r3\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"restoredSourceDatabaseAccountName\": \"test1027-1,test1027-1\",\r\n \"restoredAtTimestamp\": \"11/20/2020 6:01:30 PM,1/28/2021 9:25:52 PM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-28T21:33:16.3110564Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test1027-1-r3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c5dc8520-be90-4df7-b107-1f91d69c4e04\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test1027-1-r3-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r3-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test1027-1-r3-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r3-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test1027-1-r3-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r3-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test1027-1-r3-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations//restorableDatabaseAccounts/\",\r\n \"restoreTimestampInUtc\": \"2021-01-28T19:00:00Z\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test1027group/providers/Microsoft.DocumentDB/databaseAccounts/test1027-1-r4-r1\",\r\n \"name\": \"test1027-1-r4-r1\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"restoredSourceDatabaseAccountName\": \"test1027-1,test1027-1,test1027-1-r4\",\r\n \"restoredAtTimestamp\": \"11/20/2020 6:01:30 PM,1/28/2021 9:26:28 PM,1/29/2021 7:16:36 PM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-29T19:23:04.0332667Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test1027-1-r4-r1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"249d3b84-6f24-486f-a712-9fde7a50b73d\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test1027-1-r4-r1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r4-r1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test1027-1-r4-r1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r4-r1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test1027-1-r4-r1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r4-r1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test1027-1-r4-r1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations//restorableDatabaseAccounts/\",\r\n \"restoreTimestampInUtc\": \"2021-01-29T00:00:00Z\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test1027group/providers/Microsoft.DocumentDB/databaseAccounts/test1027-1-r4-r2\",\r\n \"name\": \"test1027-1-r4-r2\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"restoredSourceDatabaseAccountName\": \"test1027-1,test1027-1,test1027-1-r4\",\r\n \"restoredAtTimestamp\": \"11/20/2020 6:01:30 PM,1/28/2021 9:26:28 PM,1/29/2021 7:30:59 PM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-29T19:37:31.3335151Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test1027-1-r4-r2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"98fa1c0a-17ad-4a18-a6c4-0558656371cc\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test1027-1-r4-r2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r4-r2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test1027-1-r4-r2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r4-r2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test1027-1-r4-r2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r4-r2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test1027-1-r4-r2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations//restorableDatabaseAccounts/\",\r\n \"restoreTimestampInUtc\": \"2021-01-29T00:00:00Z\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging/providers/Microsoft.DocumentDB/databaseAccounts/testaccountcreation-0904\",\r\n \"name\": \"testaccountcreation-0904\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-10T20:37:56.0770654Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testaccountcreation-0904.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://testaccountcreation-0904.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"6ea4f74d-f9ce-47ee-9185-47bc271db239\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testaccountcreation-0904-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testaccountcreation-0904-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testaccountcreation-0904-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testaccountcreation-0904-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testaccountcreation-0904-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testaccountcreation-0904-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testaccountcreation-0904-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging/providers/Microsoft.DocumentDB/databaseAccounts/testaccountcreationcli0904\",\r\n \"name\": \"testaccountcreationcli0904\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-10T21:23:54.2821986Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testaccountcreationcli0904.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://testaccountcreationcli0904.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8b9d18c8-aed8-4d05-920b-1fcf290739c7\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testaccountcreationcli0904-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testaccountcreationcli0904-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testaccountcreationcli0904-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testaccountcreationcli0904-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testaccountcreationcli0904-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testaccountcreationcli0904-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testaccountcreationcli0904-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/testcassandracapability\",\r\n \"name\": \"testcassandracapability\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-04-30T21:51:18.5968762Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testcassandracapability.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://testcassandracapability.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"895dfeb5-68f2-489d-a111-29d2e12591bb\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testcassandracapability-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testcassandracapability-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testcassandracapability-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testcassandracapability-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testcassandracapability-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testcassandracapability-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testcassandracapability-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/foobar/providers/Microsoft.DocumentDB/databaseAccounts/testmmcreation\",\r\n \"name\": \"testmmcreation\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-08T17:58:17.2503507Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testmmcreation.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"3bb6ddfc-d39c-47d7-b868-cae477cf5d92\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testmmcreation-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testmmcreation-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testmmcreation-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testmmcreation-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testmmcreation-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testmmcreation-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testmmcreation-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testmmcreation-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testmmcreation-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testmmcreation-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testmmcreation-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testmmcreation-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testmmcreation-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"testmmcreation-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwini-rg/providers/Microsoft.DocumentDB/databaseAccounts/testmongoindex\",\r\n \"name\": \"testmongoindex\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-11T18:06:49.8161865Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testmongoindex.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://testmongoindex.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"e020d70d-00a2-48ff-a8e1-5a1ba646f9bb\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testmongoindex-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testmongoindex-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testmongoindex-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testmongoindex-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testmongoindex-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testmongoindex-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testmongoindex-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shtan-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/testrestorelivesite\",\r\n \"name\": \"testrestorelivesite\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-11T22:05:34.9312626Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testrestorelivesite.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"fc3966b1-4234-48b6-85d4-f34e08baa243\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testrestorelivesite-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testrestorelivesite-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testrestorelivesite-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testrestorelivesite-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testrestorelivesite-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testrestorelivesite-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testrestorelivesite-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shtan-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/testrestorelivesite-r1\",\r\n \"name\": \"testrestorelivesite-r1\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"restoredSourceDatabaseAccountName\": \"testrestorelivesite\",\r\n \"restoredAtTimestamp\": \"12/11/2019 11:57:41 PM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-12T00:02:42.9515779Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testrestorelivesite-r1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1d988033-abf1-4831-bb55-65c90712dbee\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testrestorelivesite-r1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testrestorelivesite-r1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testrestorelivesite-r1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testrestorelivesite-r1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testrestorelivesite-r1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testrestorelivesite-r1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testrestorelivesite-r1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/testserverless\",\r\n \"name\": \"testserverless\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-14T19:46:50.9235709Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testserverless.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://testserverless.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d46ce3a4-770b-4cd8-b9b4-5c295d0cd979\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testserverless-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testserverless-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testserverless-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testserverless-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testserverless-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testserverless-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testserverless-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableServerless\"\r\n },\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/testserverlessthrr\",\r\n \"name\": \"testserverlessthrr\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-19T22:27:52.8644543Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testserverlessthrr.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://testserverlessthrr.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"cef21408-fe96-42c4-b8ef-7d03c6a2a106\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testserverlessthrr-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testserverlessthrr-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testserverlessthrr-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testserverlessthrr-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testserverlessthrr-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testserverlessthrr-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testserverlessthrr-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testbyokvinod/providers/Microsoft.DocumentDB/databaseAccounts/testshbyokrev1\",\r\n \"name\": \"testshbyokrev1\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-02-20T00:14:40.3749607Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshbyokrev1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"decb8ab5-06e7-4bce-8fc8-e9d9e4c21dad\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"keyVaultKeyUri\": \"https://testshkvrev.vault.azure.net/keys/key1\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshbyokrev1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testshbyokrev1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshbyokrev1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testshbyokrev1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshbyokrev1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testshbyokrev1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshbyokrev1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testbyokvinod/providers/Microsoft.DocumentDB/databaseAccounts/testshbyokrev2\",\r\n \"name\": \"testshbyokrev2\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-02-20T01:44:37.1015144Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshbyokrev2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"dc12f588-a2de-4be4-bc7a-49489a1db805\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"keyVaultKeyUri\": \"https://testshkvrev.vault.azure.net/keys/key1\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshbyokrev2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testshbyokrev2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshbyokrev2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testshbyokrev2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshbyokrev2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testshbyokrev2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshbyokrev2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testshbyok/providers/Microsoft.DocumentDB/databaseAccounts/testshbyokstg2\",\r\n \"name\": \"testshbyokstg2\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-01-13T01:44:22.5047486Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshbyokstg2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"7108a2b6-cffd-444b-8dc0-c1db17896c41\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"keyVaultKeyUri\": \"https://testshkv1.vault.azure.net/keys/key1\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshbyokstg2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testshbyokstg2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshbyokstg2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testshbyokstg2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testshbyokstg2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testshbyokstg2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshbyokstg2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testshbyokstg2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testshbyokstg2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testshbyokstg2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshbyokstg2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"testshbyokstg2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testshbyok/providers/Microsoft.DocumentDB/databaseAccounts/testshbyokstg6\",\r\n \"name\": \"testshbyokstg6\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-01-16T02:01:31.9773721Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshbyokstg6.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d8cc95fd-e2e1-4fda-a95f-43261be1618a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"keyVaultKeyUri\": \"https://testshkv2.vault.azure.net/keys/key1\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshbyokstg6-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testshbyokstg6-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshbyokstg6-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testshbyokstg6-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshbyokstg6-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testshbyokstg6-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshbyokstg6-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/thweiss-test/providers/Microsoft.DocumentDB/databaseAccounts/thweiss-notebooks-test\",\r\n \"name\": \"thweiss-notebooks-test\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-08-31T00:14:36.507848Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://thweiss-notebooks-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"e41b2801-7b26-44de-8db5-7ce898126696\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"thweiss-notebooks-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://thweiss-notebooks-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"thweiss-notebooks-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://thweiss-notebooks-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"thweiss-notebooks-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://thweiss-notebooks-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"thweiss-notebooks-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableNotebooks\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vivekrasignoff/providers/Microsoft.DocumentDB/databaseAccounts/vivekrastagesignoffncus\",\r\n \"name\": \"vivekrastagesignoffncus\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-01-28T20:06:45.8340536Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vivekrastagesignoffncus.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://vivekrastagesignoffncus.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"6fcefda2-fdf4-4b0d-a9ca-63d0b30474bf\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vivekrastagesignoffncus-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://vivekrastagesignoffncus-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vivekrastagesignoffncus-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://vivekrastagesignoffncus-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vivekrastagesignoffncus-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://vivekrastagesignoffncus-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vivekrastagesignoffncus-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jihmmtest/providers/Microsoft.DocumentDB/databaseAccounts/waterlinedata-mm-test\",\r\n \"name\": \"waterlinedata-mm-test\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-18T18:18:43.7313401Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://waterlinedata-mm-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"ec1e888d-fab1-44df-8845-d603d9dd4b54\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"waterlinedata-mm-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://waterlinedata-mm-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"waterlinedata-mm-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://waterlinedata-mm-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"waterlinedata-mm-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://waterlinedata-mm-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"waterlinedata-mm-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://waterlinedata-mm-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"waterlinedata-mm-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://waterlinedata-mm-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"waterlinedata-mm-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://waterlinedata-mm-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"waterlinedata-mm-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://waterlinedata-mm-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"waterlinedata-mm-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://waterlinedata-mm-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"waterlinedata-mm-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://waterlinedata-mm-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"waterlinedata-mm-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"waterlinedata-mm-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n },\r\n {\r\n \"id\": \"waterlinedata-mm-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 2\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/wmengstagetest/providers/Microsoft.DocumentDB/databaseAccounts/wmengstagewestus2b\",\r\n \"name\": \"wmengstagewestus2b\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-19T06:55:42.961595Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://wmengstagewestus2b.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d8c997a5-4b53-45a3-94e3-b232b999de9f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"wmengstagewestus2b-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://wmengstagewestus2b-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"wmengstagewestus2b-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://wmengstagewestus2b-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"wmengstagewestus2b-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://wmengstagewestus2b-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"wmengstagewestus2b-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://wmengstagewestus2b-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"wmengstagewestus2b-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://wmengstagewestus2b-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"wmengstagewestus2b-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"wmengstagewestus2b-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/analyticalstoresignoff\",\r\n \"name\": \"analyticalstoresignoff\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-12T23:46:42.0510344Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://analyticalstoresignoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"74f7ed4b-67d5-4182-94fb-56047c11aef9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"analyticalstoresignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://analyticalstoresignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"analyticalstoresignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://analyticalstoresignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"analyticalstoresignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://analyticalstoresignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"analyticalstoresignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/analyticsautosignoff\",\r\n \"name\": \"analyticsautosignoff\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-05T22:21:19.5313149Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://analyticsautosignoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"instanceId\": \"ede2b3f2-8341-426c-a767-d6bed585153c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"analyticsautosignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://analyticsautosignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"analyticsautosignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://analyticsautosignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"analyticsautosignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://analyticsautosignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"analyticsautosignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai-test/providers/Microsoft.DocumentDB/databaseAccounts/ash-cassandra-nb\",\r\n \"name\": \"ash-cassandra-nb\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-25T21:07:31.8759704Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-cassandra-nb.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://ash-cassandra-nb.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"08be4bb6-a195-4e3b-8821-dc2d3681511b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-cassandra-nb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ash-cassandra-nb-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-cassandra-nb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ash-cassandra-nb-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-cassandra-nb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ash-cassandra-nb-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-cassandra-nb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n },\r\n {\r\n \"name\": \"EnableNotebooks\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai-test/providers/Microsoft.DocumentDB/databaseAccounts/ash-mongo-nb\",\r\n \"name\": \"ash-mongo-nb\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-25T19:38:32.1919275Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-mongo-nb.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://ash-mongo-nb.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"6077eeb2-f388-40d4-91b0-e0139d9ca387\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-mongo-nb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ash-mongo-nb-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-mongo-nb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ash-mongo-nb-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-mongo-nb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ash-mongo-nb-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-mongo-nb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableNotebooks\"\r\n },\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ragil/providers/Microsoft.DocumentDB/databaseAccounts/autopilote2e\",\r\n \"name\": \"autopilote2e\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-04-07T21:58:50.3863566Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://autopilote2e.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d3f55252-734c-4eba-921a-f5cd2e30fc03\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"autopilote2e-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://autopilote2e-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"autopilote2e-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://autopilote2e-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"autopilote2e-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://autopilote2e-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"autopilote2e-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/ash-table-nb\",\r\n \"name\": \"ash-table-nb\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-25T21:05:51.8725768Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-table-nb.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://ash-table-nb.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"60498937-d6c9-4cc9-8da8-3275cece16b7\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-table-nb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ash-table-nb-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-table-nb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ash-table-nb-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-table-nb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ash-table-nb-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-table-nb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n },\r\n {\r\n \"name\": \"EnableNotebooks\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/backup-restore/providers/Microsoft.DocumentDB/databaseAccounts/backup-restore-mgmt-0\",\r\n \"name\": \"backup-restore-mgmt-0\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-11-03T17:20:47.1370235Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://backup-restore-mgmt-0.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"094e24d4-c422-4a7f-80fc-63d9c79b9c54\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"backup-restore-mgmt-0-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://backup-restore-mgmt-0-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"backup-restore-mgmt-0-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://backup-restore-mgmt-0-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"backup-restore-mgmt-0-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://backup-restore-mgmt-0-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"backup-restore-mgmt-0-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/build-test\",\r\n \"name\": \"build-test\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-02T03:55:39.3975663Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://build-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"3d234c37-7005-4669-a910-b44fd9e672fd\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"build-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://build-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"build-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://build-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"build-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://build-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"build-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stagewestus2cm1\",\r\n \"name\": \"canary-stagewestus2cm1\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-12T22:43:23.3914536Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stagewestus2cm1.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://canary-stagewestus2cm1.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"32743747-9dca-42ba-ac6b-ec91aba23317\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stagewestus2cm1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://canary-stagewestus2cm1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stagewestus2cm1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://canary-stagewestus2cm1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stagewestus2cm1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://canary-stagewestus2cm1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stagewestus2cm1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cassandra-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/cassandrastagetest\",\r\n \"name\": \"cassandrastagetest\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-01-09T18:01:10.9408479Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassandrastagetest.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassandrastagetest.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a40ceb7f-1ce9-43f0-bab1-e08c8c200f78\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassandrastagetest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cassandrastagetest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassandrastagetest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cassandrastagetest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassandrastagetest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cassandrastagetest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassandrastagetest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/controlplanehealth-rg/providers/Microsoft.DocumentDB/databaseAccounts/controlplanehealth-stage-westus2\",\r\n \"name\": \"controlplanehealth-stage-westus2\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-15T19:42:37.5354165Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"ace7bb3a-2068-4da2-aae1-6640e263fa4b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/controlplanehealth-rg/providers/Microsoft.DocumentDB/databaseAccounts/controlplanehealth-stage-westus2-cx\",\r\n \"name\": \"controlplanehealth-stage-westus2-cx\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-15T19:57:45.8822395Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-cx.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://controlplanehealth-stage-westus2-cx.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"81633c01-3395-43a1-8173-58d2c9e20fab\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-cx-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-cx-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-cx-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-cx-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-cx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-cx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-cx-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-cx-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-cx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-cx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-cx-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-cx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/controlplanehealth-rg/providers/Microsoft.DocumentDB/databaseAccounts/controlplanehealth-stage-westus2-gln\",\r\n \"name\": \"controlplanehealth-stage-westus2-gln\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-15T19:58:10.5720141Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-gln.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://controlplanehealth-stage-westus2-gln.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"32dec277-404c-433e-8c57-de2c07d1051a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-gln-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-gln-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-gln-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-gln-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-gln-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-gln-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-gln-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-gln-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-gln-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-gln-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-gln-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-gln-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/controlplanehealth-rg/providers/Microsoft.DocumentDB/databaseAccounts/controlplanehealth-stage-westus2-mgo\",\r\n \"name\": \"controlplanehealth-stage-westus2-mgo\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-15T19:56:57.4525237Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-mgo.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"2d4f5b9f-8157-4c3e-a541-d6876b5d9f9f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-mgo-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-mgo-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-mgo-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-mgo-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-mgo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-mgo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-mgo-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-mgo-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-mgo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-mgo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-mgo-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-mgo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/controlplanehealth-rg/providers/Microsoft.DocumentDB/databaseAccounts/controlplanehealth-stage-westus2-sql\",\r\n \"name\": \"controlplanehealth-stage-westus2-sql\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-15T19:56:39.1942591Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-sql.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"4f22422a-8876-43f0-9a6b-c328456ad95d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-sql-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-sql-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-sql-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-sql-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-sql-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-sql-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-sql-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/controlplanehealth-rg/providers/Microsoft.DocumentDB/databaseAccounts/controlplanehealth-stage-westus2-tbl\",\r\n \"name\": \"controlplanehealth-stage-westus2-tbl\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-15T19:59:01.2129798Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-tbl.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://controlplanehealth-stage-westus2-tbl.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"06f014ba-70ca-4520-9908-bf000e20c8cb\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-tbl-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-tbl-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-tbl-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-tbl-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-tbl-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-tbl-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-tbl-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-tbl-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-tbl-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-tbl-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-tbl-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-tbl-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/build2020/providers/Microsoft.DocumentDB/databaseAccounts/cosmosdb-synpase-link\",\r\n \"name\": \"cosmosdb-synpase-link\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-13T02:57:02.6248367Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cosmosdb-synpase-link.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"instanceId\": \"a4e39e24-755d-4f3e-a8b5-6d1d5d4d5e6c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cosmosdb-synpase-link-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cosmosdb-synpase-link-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cosmosdb-synpase-link-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cosmosdb-synpase-link-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cosmosdb-synpase-link-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cosmosdb-synpase-link-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cosmosdb-synpase-link-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cosmosdbqueryteam/providers/Microsoft.DocumentDB/databaseAccounts/cosmosdbqueryteamwestus2\",\r\n \"name\": \"cosmosdbqueryteamwestus2\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-03-27T19:19:46.723853Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cosmosdbqueryteamwestus2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"instanceId\": \"baa0b268-7d29-4794-b842-95a1178ba951\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cosmosdbqueryteamwestus2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cosmosdbqueryteamwestus2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cosmosdbqueryteamwestus2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cosmosdbqueryteamwestus2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cosmosdbqueryteamwestus2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cosmosdbqueryteamwestus2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cosmosdbqueryteamwestus2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sarguptest/providers/Microsoft.DocumentDB/databaseAccounts/cpuinvestigation3\",\r\n \"name\": \"cpuinvestigation3\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-15T17:56:23.0873917Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cpuinvestigation3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"6c6ac979-c326-4f93-87e9-db676257a3c0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cpuinvestigation3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cpuinvestigation3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cpuinvestigation3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cpuinvestigation3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cpuinvestigation3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cpuinvestigation3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cpuinvestigation3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mongo-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/cursortest-mongo-westus\",\r\n \"name\": \"cursortest-mongo-westus\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"MongoDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-11-07T22:38:58.7256285Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cursortest-mongo-westus.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"55ece9ab-1c58-4467-8e54-d5a9c45740d9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cursortest-mongo-westus-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cursortest-mongo-westus-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cursortest-mongo-westus-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cursortest-mongo-westus-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cursortest-mongo-westus-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cursortest-mongo-westus-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cursortest-mongo-westus-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/dech-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/dech-cosmos-nb-stage\",\r\n \"name\": \"dech-cosmos-nb-stage\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-08T22:22:16.854688Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://dech-cosmos-nb-stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"095e0fed-1899-46e9-903b-ca96407ac661\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"dech-cosmos-nb-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://dech-cosmos-nb-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"dech-cosmos-nb-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://dech-cosmos-nb-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"dech-cosmos-nb-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://dech-cosmos-nb-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"dech-cosmos-nb-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/dox-staging/providers/Microsoft.DocumentDB/databaseAccounts/dox-stage-table5\",\r\n \"name\": \"dox-stage-table5\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-06-07T00:02:59.5668686Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://dox-stage-table5.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://dox-stage-table5.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"786d954f-72a5-4987-93e4-abaa45e4ca59\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"dox-stage-table5-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://dox-stage-table5-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"dox-stage-table5-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://dox-stage-table5-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"dox-stage-table5-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://dox-stage-table5-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"dox-stage-table5-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/fastschemainference\",\r\n \"name\": \"fastschemainference\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-29T21:59:44.1356993Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://fastschemainference.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d1397fdb-4edd-40de-9c40-5c4b9e6d7b27\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"fastschemainference-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://fastschemainference-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"fastschemainference-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://fastschemainference-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"fastschemainference-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://fastschemainference-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"fastschemainference-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging/providers/Microsoft.DocumentDB/databaseAccounts/gremlinstagetest\",\r\n \"name\": \"gremlinstagetest\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-01-09T18:21:44.55748Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlinstagetest.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlinstagetest.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c48c110a-468b-41af-a31a-7c4e04c2423d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlinstagetest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://gremlinstagetest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlinstagetest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://gremlinstagetest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlinstagetest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://gremlinstagetest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlinstagetest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/akash-cassandra-northcentralus-resource/providers/Microsoft.DocumentDB/databaseAccounts/harsudantest4\",\r\n \"name\": \"harsudantest4\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-16T19:03:06.6536698Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://harsudantest4.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"3c1eb306-f67c-4b37-bc59-74b57fd4c6a7\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"harsudantest4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://harsudantest4-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"harsudantest4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://harsudantest4-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"harsudantest4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://harsudantest4-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"harsudantest4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/artrejo/providers/Microsoft.DocumentDB/databaseAccounts/harsudantest50gb\",\r\n \"name\": \"harsudantest50gb\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-10-21T15:45:39.4610316Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://harsudantest50gb.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"4c2ea149-b22f-4c0e-afed-681477c6cb5c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"harsudantest50gb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://harsudantest50gb-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"harsudantest50gb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://harsudantest50gb-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"harsudantest50gb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://harsudantest50gb-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"harsudantest50gb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sivethe/providers/Microsoft.DocumentDB/databaseAccounts/jaganma-firstam-sql-integration\",\r\n \"name\": \"jaganma-firstam-sql-integration\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-06-13T22:28:58.9268694Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://jaganma-firstam-sql-integration.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://jaganma-firstam-sql-integration.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"3b75ccc4-286f-40f9-9c0f-3e21b3a2c48e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"jaganma-firstam-sql-integration-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jaganma-firstam-sql-integration-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"jaganma-firstam-sql-integration-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jaganma-firstam-sql-integration-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"jaganma-firstam-sql-integration-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jaganma-firstam-sql-integration-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"jaganma-firstam-sql-integration-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jmondal-stg/providers/Microsoft.DocumentDB/databaseAccounts/jmondal-gremlin-stage\",\r\n \"name\": \"jmondal-gremlin-stage\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-31T21:41:21.7266024Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://jmondal-gremlin-stage.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://jmondal-gremlin-stage.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"instanceId\": \"520ae4c5-a208-4c59-8d28-afed6d2fc162\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"jmondal-gremlin-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jmondal-gremlin-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"jmondal-gremlin-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jmondal-gremlin-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"jmondal-gremlin-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jmondal-gremlin-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"jmondal-gremlin-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/kristynh/providers/Microsoft.DocumentDB/databaseAccounts/kristynh\",\r\n \"name\": \"kristynh\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-11T23:39:57.9708005Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://kristynh.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"48999b9a-5926-4205-96a6-102f331f2ea4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"kristynh-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kristynh-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"kristynh-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kristynh-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"kristynh-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kristynh-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"kristynh-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/mongo-stage-signoff-rl\",\r\n \"name\": \"mongo-stage-signoff-rl\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-02-14T01:00:30.0218379Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo-stage-signoff-rl.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongo-stage-signoff-rl.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8a03998d-d046-4fd7-b217-a1ca75a43c56\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo-stage-signoff-rl-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mongo-stage-signoff-rl-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo-stage-signoff-rl-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mongo-stage-signoff-rl-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo-stage-signoff-rl-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mongo-stage-signoff-rl-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo-stage-signoff-rl-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sivethe/providers/Microsoft.DocumentDB/databaseAccounts/mongooncompute-1\",\r\n \"name\": \"mongooncompute-1\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-08-06T17:43:11.1944572Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongooncompute-1.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongooncompute-1.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"b80a9bf2-fb5b-4718-a63f-a100c68e782d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongooncompute-1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mongooncompute-1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongooncompute-1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mongooncompute-1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongooncompute-1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mongooncompute-1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongooncompute-1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nitesh-resource/providers/Microsoft.DocumentDB/databaseAccounts/nitesh-cri2-162282720\",\r\n \"name\": \"nitesh-cri2-162282720\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-19T09:13:47.9132616Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nitesh-cri2-162282720.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"78b42ade-0afe-42cf-a16c-98522d1f5e72\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nitesh-cri2-162282720-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nitesh-cri2-162282720-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nitesh-cri2-162282720-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nitesh-cri2-162282720-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nitesh-cri2-162282720-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nitesh-cri2-162282720-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nitesh-cri2-162282720-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/nologstore\",\r\n \"name\": \"nologstore\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-31T17:12:33.4690111Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nologstore.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a068ee4f-b3ab-4b63-8ff3-895d6d57be95\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nologstore-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nologstore-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nologstore-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nologstore-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nologstore-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nologstore-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nologstore-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/olignattestrg321/providers/Microsoft.DocumentDB/databaseAccounts/olignattestcassandrawus2\",\r\n \"name\": \"olignattestcassandrawus2\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-01-25T18:14:40.2725177Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://olignattestcassandrawus2.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://olignattestcassandrawus2.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"91eb3fe8-e9fd-4c86-ae8f-7109b7beb3fc\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"olignattestcassandrawus2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://olignattestcassandrawus2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"olignattestcassandrawus2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://olignattestcassandrawus2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"olignattestcassandrawus2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://olignattestcassandrawus2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"olignattestcassandrawus2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"104.42.195.92\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"40.76.54.131\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.176.6.30\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.169.50.45\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.187.184.26\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jihmmtest/providers/Microsoft.DocumentDB/databaseAccounts/qwwetr12356\",\r\n \"name\": \"qwwetr12356\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-08T01:11:04.1346455Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://qwwetr12356.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c1a7210b-03ec-4440-8cba-2c3f4e776291\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"qwwetr12356-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://qwwetr12356-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"qwwetr12356-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://qwwetr12356-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"qwwetr12356-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://qwwetr12356-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"qwwetr12356-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ragil/providers/Microsoft.DocumentDB/databaseAccounts/ragil-stage\",\r\n \"name\": \"ragil-stage\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-03T01:05:53.3507672Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ragil-stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1597cc97-59e2-4c65-82c4-8d2381d761e8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ragil-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ragil-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ragil-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ragil-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ragil-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ragil-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ragil-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ragil/providers/Microsoft.DocumentDB/databaseAccounts/ragil-tablesapi\",\r\n \"name\": \"ragil-tablesapi\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-08T19:56:56.3429741Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ragil-tablesapi.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://ragil-tablesapi.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a9f110f9-cc98-40a5-b9b9-e1c713b19703\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ragil-tablesapi-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ragil-tablesapi-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ragil-tablesapi-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ragil-tablesapi-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ragil-tablesapi-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ragil-tablesapi-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ragil-tablesapi-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/ramkris\",\r\n \"name\": \"ramkris\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-02T22:38:55.6466865Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ramkris.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"55a8e52d-4347-485f-a961-6aba964fe1d4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ramkris-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ramkris-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ramkris-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ramkris-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ramkris-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ramkris-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ramkris-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shatri/providers/Microsoft.DocumentDB/databaseAccounts/shatricass\",\r\n \"name\": \"shatricass\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-09T23:13:25.9376276Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shatricass.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://shatricass.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"05a1e329-ea8b-4183-acf3-1ad9640fa291\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shatricass-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shatricass-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shatricass-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shatricass-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shatricass-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shatricass-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shatricass-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shtan-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/shtan-stage\",\r\n \"name\": \"shtan-stage\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-11-13T20:44:04.4461593Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shtan-stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"54d92f36-a35f-4b45-90d1-4b2a2c598bae\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shtan-stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://shtan-stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"shtan-stage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://shtan-stage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shtan-stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://shtan-stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"shtan-stage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://shtan-stage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shtan-stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://shtan-stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"shtan-stage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://shtan-stage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shtan-stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"shtan-stage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 140,\r\n \"backupRetentionIntervalInHours\": 26,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/shthekkatestacc\",\r\n \"name\": \"shthekkatestacc\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-16T19:02:15.7189041Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shthekkatestacc.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"instanceId\": \"a24a8e4b-8d9c-4057-8212-fa5c3cb974dc\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shthekkatestacc-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shthekkatestacc-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"shthekkatestacc-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shthekkatestacc-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"shthekkatestacc-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shthekkatestacc-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"shthekkatestacc-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/yungyang-test-rg/providers/Microsoft.DocumentDB/databaseAccounts/stageaccounttest\",\r\n \"name\": \"stageaccounttest\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-18T23:05:27.6084678Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stageaccounttest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"52fa848f-633c-48e6-8a03-41cd74da4156\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stageaccounttest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://stageaccounttest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stageaccounttest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://stageaccounttest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stageaccounttest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://stageaccounttest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stageaccounttest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sukans/providers/Microsoft.DocumentDB/databaseAccounts/sukans-noownerid\",\r\n \"name\": \"sukans-noownerid\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-04-11T23:56:51.3427971Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sukans-noownerid.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"f378c52f-6784-4196-a99f-6c3c934ca3cd\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sukans-noownerid-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sukans-noownerid-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sukans-noownerid-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sukans-noownerid-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sukans-noownerid-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sukans-noownerid-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sukans-noownerid-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/dech-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/dech-free-tier-test-2\",\r\n \"name\": \"dech-free-tier-test-2\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-02-29T04:43:57.365991Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://dech-free-tier-test-2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": true,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"03bb9038-e800-4852-a229-6868a7e5b26c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"dech-free-tier-test-2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://dech-free-tier-test-2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"dech-free-tier-test-2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://dech-free-tier-test-2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"dech-free-tier-test-2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://dech-free-tier-test-2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"dech-free-tier-test-2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testshbyok/providers/Microsoft.DocumentDB/databaseAccounts/testtoporder\",\r\n \"name\": \"testtoporder\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-01-12T18:30:58.8495415Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testtoporder.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"ac3bf896-7c33-4e00-baf0-f5aa19e4000b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testtoporder-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testtoporder-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testtoporder-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testtoporder-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testtoporder-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testtoporder-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testtoporder-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testtoporder-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testtoporder-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testtoporder-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testtoporder-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"testtoporder-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/haotest4\",\r\n \"name\": \"haotest4\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-02-11T21:22:04.7695494Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://haotest4.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://haotest4.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"0ead4408-f3e1-4f47-a00e-7fd5518ffcda\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Eventual\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"haotest4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://haotest4-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"haotest4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://haotest4-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"haotest4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://haotest4-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"haotest4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/akash-cassandra-northcentralus-resource/providers/Microsoft.DocumentDB/databaseAccounts/harsudantest5\",\r\n \"name\": \"harsudantest5\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-16T19:04:32.9585625Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://harsudantest5.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"869f8c12-e696-481b-ae81-f3aadc0c9adf\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"harsudantest5-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://harsudantest5-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"harsudantest5-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://harsudantest5-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"harsudantest5-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://harsudantest5-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"harsudantest5-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://harsudantest5-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"harsudantest5-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://harsudantest5-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"harsudantest5-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"harsudantest5-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/vinh-stage\",\r\n \"name\": \"vinh-stage\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-11-22T21:40:11.4909444Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vinh-stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"408511b1-2df1-4200-b4bb-a5ace8f2c8e9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vinh-stage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://vinh-stage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vinh-stage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://vinh-stage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"vinh-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vinh-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vinh-stage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://vinh-stage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"vinh-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vinh-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vinh-stage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"vinh-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/jasontho-manydocuments\",\r\n \"name\": \"jasontho-manydocuments\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-05T23:02:39.3105938Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://jasontho-manydocuments.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://jasontho-manydocuments.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"bbb17b25-0fd6-4615-b12c-1d27d5f13401\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"jasontho-manydocuments-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jasontho-manydocuments-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"jasontho-manydocuments-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jasontho-manydocuments-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"jasontho-manydocuments-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jasontho-manydocuments-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"jasontho-manydocuments-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/kristynh/providers/Microsoft.DocumentDB/databaseAccounts/kristynh-rbac\",\r\n \"name\": \"kristynh-rbac\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-11T20:11:35.5618102Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://kristynh-rbac.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"6d2e96e3-baf1-41fd-a474-2c7758962ae3\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"kristynh-rbac-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kristynh-rbac-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"kristynh-rbac-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kristynh-rbac-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"kristynh-rbac-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kristynh-rbac-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"kristynh-rbac-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/jordanstage\",\r\n \"name\": \"jordanstage\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-08-12T18:13:57.3416092Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://jordanstage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8af36c1f-0f77-4919-9c3e-95491e4b582c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"jordanstage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jordanstage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"jordanstage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jordanstage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"jordanstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jordanstage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"jordanstage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jordanstage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"jordanstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jordanstage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"jordanstage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"jordanstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/vinh2stage\",\r\n \"name\": \"vinh2stage\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-11-22T21:43:30.7934443Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vinh2stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"83891f9d-eb4a-4ccd-be8f-a5928c84de73\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vinh2stage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://vinh2stage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vinh2stage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://vinh2stage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vinh2stage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://vinh2stage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vinh2stage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/yungyang-test-rg/providers/Microsoft.DocumentDB/databaseAccounts/yungyang-test3\",\r\n \"name\": \"yungyang-test3\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-03-02T20:11:57.7163107Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://yungyang-test3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a9ebee1a-1f6f-44a3-9dcc-2f429e2325ec\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"yungyang-test3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://yungyang-test3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"yungyang-test3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://yungyang-test3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"yungyang-test3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://yungyang-test3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"yungyang-test3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ragil/providers/Microsoft.DocumentDB/databaseAccounts/ragil-autoscale1\",\r\n \"name\": \"ragil-autoscale1\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-14T19:07:35.7285341Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ragil-autoscale1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"instanceId\": \"edad7712-57db-4a14-bb82-ee0568dd2e8e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ragil-autoscale1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ragil-autoscale1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ragil-autoscale1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ragil-autoscale1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ragil-autoscale1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ragil-autoscale1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ragil-autoscale1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ragil/providers/Microsoft.DocumentDB/databaseAccounts/rav-test\",\r\n \"name\": \"rav-test\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-04T18:07:47.2390398Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://rav-test.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://rav-test.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"4c530dfb-4e92-49ea-be7f-20f65fc9545c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"rav-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://rav-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"rav-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://rav-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"rav-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://rav-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"rav-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cassandra-stage-signoff-sea1/providers/Microsoft.DocumentDB/databaseAccounts/shatritestpolicystore\",\r\n \"name\": \"shatritestpolicystore\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-01-03T22:02:23.1932563Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shatritestpolicystore.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://shatritestpolicystore.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"88c4b305-a55e-463c-aa1d-eb57a17fac48\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shatritestpolicystore-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shatritestpolicystore-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shatritestpolicystore-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shatritestpolicystore-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shatritestpolicystore-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shatritestpolicystore-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shatritestpolicystore-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/table-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/tablestageperf\",\r\n \"name\": \"tablestageperf\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-04T23:07:12.1018565Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tablestageperf.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://tablestageperf.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"65b9f6d7-ae38-4544-9796-747de97c3a59\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tablestageperf-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://tablestageperf-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tablestageperf-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://tablestageperf-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tablestageperf-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://tablestageperf-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tablestageperf-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/testcassandrastage123\",\r\n \"name\": \"testcassandrastage123\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-11-21T17:47:46.0542311Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testcassandrastage123.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://testcassandrastage123.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"fd490572-edba-460b-aa5a-afa1699638e4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testcassandrastage123-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testcassandrastage123-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testcassandrastage123-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testcassandrastage123-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testcassandrastage123-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testcassandrastage123-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testcassandrastage123-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/testupdatedcapprejain\",\r\n \"name\": \"testupdatedcapprejain\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-27T00:30:15.9722043Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testupdatedcapprejain.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"167927f0-ce3e-478d-8c44-ae2bda0db443\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testupdatedcapprejain-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testupdatedcapprejain-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testupdatedcapprejain-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testupdatedcapprejain-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testupdatedcapprejain-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testupdatedcapprejain-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testupdatedcapprejain-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/jasontho-stagetest\",\r\n \"name\": \"jasontho-stagetest\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-05T04:46:51.1089085Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://jasontho-stagetest.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://jasontho-stagetest.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8e6dd47b-b9e8-4034-97d7-435691d2574b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"jasontho-stagetest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jasontho-stagetest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"jasontho-stagetest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jasontho-stagetest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"jasontho-stagetest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jasontho-stagetest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"jasontho-stagetest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ktresources/providers/Microsoft.DocumentDB/databaseAccounts/ktstage2\",\r\n \"name\": \"ktstage2\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-03-26T00:22:29.6935046Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ktstage2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"72e06621-88ce-4674-bfa4-eaa1ce2f4f2c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ktstage2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ktstage2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ktstage2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ktstage2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ktstage2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ktstage2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ktstage2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shreshts/providers/Microsoft.DocumentDB/databaseAccounts/shreshts-stage-prodarm\",\r\n \"name\": \"shreshts-stage-prodarm\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-04-23T17:44:16.9716511Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shreshts-stage-prodarm.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"9e9dda1a-0ed1-4df5-9d8b-c8503c9c6c6b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shreshts-stage-prodarm-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shreshts-stage-prodarm-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shreshts-stage-prodarm-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shreshts-stage-prodarm-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shreshts-stage-prodarm-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shreshts-stage-prodarm-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shreshts-stage-prodarm-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/tamitta/providers/Microsoft.DocumentDB/databaseAccounts/tamitta-stage\",\r\n \"name\": \"tamitta-stage\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-24T18:01:30.9847186Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tamitta-stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"f92d669f-68f8-4994-a178-ba210a01f259\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tamitta-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://tamitta-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tamitta-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://tamitta-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tamitta-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://tamitta-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tamitta-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/testcosmosdbaccountcreate123\",\r\n \"name\": \"testcosmosdbaccountcreate123\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-11-21T17:38:24.4681012Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testcosmosdbaccountcreate123.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8b9ceea3-8273-4cfa-b2d9-297673b30191\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testcosmosdbaccountcreate123-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testcosmosdbaccountcreate123-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testcosmosdbaccountcreate123-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testcosmosdbaccountcreate123-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testcosmosdbaccountcreate123-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testcosmosdbaccountcreate123-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testcosmosdbaccountcreate123-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/yungyang-test-rg/providers/Microsoft.DocumentDB/databaseAccounts/yungyang-stageaccount\",\r\n \"name\": \"yungyang-stageaccount\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-29T07:09:13.4940855Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://yungyang-stageaccount.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"f7d29645-77b8-43ef-9757-dee41193ce68\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"yungyang-stageaccount-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://yungyang-stageaccount-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"yungyang-stageaccount-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://yungyang-stageaccount-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"yungyang-stageaccount-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://yungyang-stageaccount-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"yungyang-stageaccount-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/tamitta/providers/Microsoft.DocumentDB/databaseAccounts/tamitta-stage-serverless\",\r\n \"name\": \"tamitta-stage-serverless\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-27T22:14:48.3284991Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tamitta-stage-serverless.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d6e00e92-4636-46ff-b7f3-fa555521111f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tamitta-stage-serverless-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://tamitta-stage-serverless-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tamitta-stage-serverless-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://tamitta-stage-serverless-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tamitta-stage-serverless-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://tamitta-stage-serverless-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tamitta-stage-serverless-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableServerless\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/tpcdsmongo/providers/Microsoft.DocumentDB/databaseAccounts/tpcdsmongotest\",\r\n \"name\": \"tpcdsmongotest\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-15T22:58:56.0666418Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tpcdsmongotest.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://tpcdsmongotest.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"instanceId\": \"80d4b4be-f359-45df-b7e2-c1d0efd4d716\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tpcdsmongotest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://tpcdsmongotest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tpcdsmongotest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://tpcdsmongotest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tpcdsmongotest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://tpcdsmongotest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tpcdsmongotest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/akgoe-test-rg/providers/Microsoft.DocumentDB/databaseAccounts/cdb-stage-westus2-test\",\r\n \"name\": \"cdb-stage-westus2-test\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-29T05:18:27.6324917Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cdb-stage-westus2-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a046b289-140d-467b-b0a3-be504cd76976\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cdb-stage-westus2-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cdb-stage-westus2-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cdb-stage-westus2-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cdb-stage-westus2-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cdb-stage-westus2-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cdb-stage-westus2-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cdb-stage-westus2-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ctlcontainerworkloads/providers/Microsoft.DocumentDB/databaseAccounts/ctljavacontainerworkload\",\r\n \"name\": \"ctljavacontainerworkload\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-01T22:41:46.9430744Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ctljavacontainerworkload.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1d70309d-21a4-4081-97b2-699e2fd83bdd\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ctljavacontainerworkload-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ctljavacontainerworkload-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ctljavacontainerworkload-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ctljavacontainerworkload-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ctljavacontainerworkload-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ctljavacontainerworkload-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ctljavacontainerworkload-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/justipat_staging/providers/Microsoft.DocumentDB/databaseAccounts/testingjjp\",\r\n \"name\": \"testingjjp\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-08T17:38:23.792918Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testingjjp.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"ca46b55d-ebe8-422f-96b3-9a5dc0e59894\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testingjjp-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testingjjp-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testingjjp-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testingjjp-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testingjjp-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testingjjp-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testingjjp-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/foobar/providers/Microsoft.DocumentDB/databaseAccounts/bhushananalyticaltest\",\r\n \"name\": \"bhushananalyticaltest\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-08T17:56:05.909196Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://bhushananalyticaltest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"instanceId\": \"888982c7-4b21-4c82-87d0-10963f622e94\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"bhushananalyticaltest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://bhushananalyticaltest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"bhushananalyticaltest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://bhushananalyticaltest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"bhushananalyticaltest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://bhushananalyticaltest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"bhushananalyticaltest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/merge-partition/providers/Microsoft.DocumentDB/databaseAccounts/test-merge-empty-partition\",\r\n \"name\": \"test-merge-empty-partition\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-12T19:16:33.0077649Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-merge-empty-partition.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d8f7bc07-c094-4841-8190-8705d0396e16\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-merge-empty-partition-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-merge-empty-partition-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-merge-empty-partition-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-merge-empty-partition-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-merge-empty-partition-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-merge-empty-partition-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-merge-empty-partition-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stagewestus2fd1\",\r\n \"name\": \"canary-stagewestus2fd1\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-16T13:31:41.1683592Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stagewestus2fd1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"dd94d90d-e22a-44d0-95ec-ce3b36988f8e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stagewestus2fd1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://canary-stagewestus2fd1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stagewestus2fd1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://canary-stagewestus2fd1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stagewestus2fd1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://canary-stagewestus2fd1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stagewestus2fd1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vimeng-rg/providers/Microsoft.DocumentDB/databaseAccounts/vimeng-sql-stage\",\r\n \"name\": \"vimeng-sql-stage\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-23T00:32:41.278046Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vimeng-sql-stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"instanceId\": \"7c7fdaeb-dc26-4c27-a0ac-c6e55ecc05a0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vimeng-sql-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vimeng-sql-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vimeng-sql-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vimeng-sql-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vimeng-sql-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vimeng-sql-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vimeng-sql-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vimeng-rg/providers/Microsoft.DocumentDB/databaseAccounts/vimeng-stage-sql-2\",\r\n \"name\": \"vimeng-stage-sql-2\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-23T18:12:14.7771083Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vimeng-stage-sql-2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"abb03545-5576-413f-89cd-ad61411d1f9e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vimeng-stage-sql-2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vimeng-stage-sql-2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vimeng-stage-sql-2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vimeng-stage-sql-2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vimeng-stage-sql-2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vimeng-stage-sql-2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vimeng-stage-sql-2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/soeom-test/providers/Microsoft.DocumentDB/databaseAccounts/0000fix\",\r\n \"name\": \"0000fix\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-23T20:44:43.9638239Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://0000fix.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"167ed16c-2d74-4b6c-8eb2-a290498350cc\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"0000fix-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://0000fix-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"0000fix-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://0000fix-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"0000fix-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://0000fix-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"0000fix-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"40.76.54.131\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.176.6.30\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.169.50.45\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.187.184.26\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"0.0.0.0\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"104.42.195.92\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-staging-wus2-flatschema\",\r\n \"name\": \"gremlin-staging-wus2-flatschema\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-26T20:24:04.1960566Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-staging-wus2-flatschema.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-staging-wus2-flatschema.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"65a6856c-9ca8-4b59-802f-5a2b25cfcb71\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-staging-wus2-flatschema-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://gremlin-staging-wus2-flatschema-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-staging-wus2-flatschema-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://gremlin-staging-wus2-flatschema-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-staging-wus2-flatschema-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://gremlin-staging-wus2-flatschema-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-staging-wus2-flatschema-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pjohari/providers/Microsoft.DocumentDB/databaseAccounts/pjohari-test-west2\",\r\n \"name\": \"pjohari-test-west2\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-29T01:36:00.5299323Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pjohari-test-west2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"6885ee72-b5a0-47bb-9e44-7e613fa09786\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pjohari-test-west2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pjohari-test-west2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pjohari-test-west2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pjohari-test-west2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"pjohari-test-west2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pjohari-test-west2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pjohari-test-west2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pjohari-test-west2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"pjohari-test-west2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pjohari-test-west2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pjohari-test-west2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"pjohari-test-west2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/hidhawal/providers/Microsoft.DocumentDB/databaseAccounts/hidhawal-test\",\r\n \"name\": \"hidhawal-test\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-30T04:46:00.4066141Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://hidhawal-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"04660086-1070-4d5d-a8bc-9c074af31f13\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"hidhawal-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://hidhawal-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"hidhawal-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://hidhawal-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"hidhawal-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://hidhawal-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"hidhawal-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/vinhstagepitr\",\r\n \"name\": \"vinhstagepitr\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-02T23:44:13.0056918Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vinhstagepitr.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"5dee0717-8f84-40d7-b7c1-921552ba61a5\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vinhstagepitr-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vinhstagepitr-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vinhstagepitr-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vinhstagepitr-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vinhstagepitr-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vinhstagepitr-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vinhstagepitr-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/hidhawal/providers/Microsoft.DocumentDB/databaseAccounts/hidhawal-test2\",\r\n \"name\": \"hidhawal-test2\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-03T02:43:38.2623252Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://hidhawal-test2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8585d369-799b-442b-af20-2c249bbf15b1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"hidhawal-test2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://hidhawal-test2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"hidhawal-test2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://hidhawal-test2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"hidhawal-test2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://hidhawal-test2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"hidhawal-test2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/hidhawal/providers/Microsoft.DocumentDB/databaseAccounts/hidhawal-test3\",\r\n \"name\": \"hidhawal-test3\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-05T17:06:20.3107216Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://hidhawal-test3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"5578ee6f-e45f-47bc-abe3-1da2a6958450\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"hidhawal-test3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://hidhawal-test3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"hidhawal-test3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://hidhawal-test3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"hidhawal-test3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://hidhawal-test3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"hidhawal-test3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/hidhawal/providers/Microsoft.DocumentDB/databaseAccounts/hidhawal-test4\",\r\n \"name\": \"hidhawal-test4\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-10T00:31:03.0211304Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://hidhawal-test4.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"99969d83-1c81-417e-8bbf-48d5547d438b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"hidhawal-test4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://hidhawal-test4-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"hidhawal-test4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://hidhawal-test4-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"hidhawal-test4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://hidhawal-test4-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"hidhawal-test4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/jasontho-newstage36\",\r\n \"name\": \"jasontho-newstage36\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-21T00:28:50.2585254Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://jasontho-newstage36.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://jasontho-newstage36.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"9630b5fc-dd1b-4c8a-8d2a-b64fea18608a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"jasontho-newstage36-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jasontho-newstage36-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"jasontho-newstage36-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jasontho-newstage36-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"jasontho-newstage36-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jasontho-newstage36-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"jasontho-newstage36-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cosmosdbqueryteam/providers/Microsoft.DocumentDB/databaseAccounts/mongoquerytest\",\r\n \"name\": \"mongoquerytest\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-23T19:53:04.4044685Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongoquerytest.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongoquerytest.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"787dc229-72b6-46f1-af38-30407d84560b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongoquerytest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mongoquerytest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongoquerytest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mongoquerytest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongoquerytest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mongoquerytest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongoquerytest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/vinhstagemongopitr\",\r\n \"name\": \"vinhstagemongopitr\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-25T17:07:32.8844415Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vinhstagemongopitr.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://vinhstagemongopitr.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"5cfa410f-ea0c-4995-aa59-9809a69c21f8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vinhstagemongopitr-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vinhstagemongopitr-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vinhstagemongopitr-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vinhstagemongopitr-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vinhstagemongopitr-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vinhstagemongopitr-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vinhstagemongopitr-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai-test/providers/Microsoft.DocumentDB/databaseAccounts/test-virangai-vinhstagemongopitr-del-res1\",\r\n \"name\": \"test-virangai-vinhstagemongopitr-del-res1\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-30T23:17:01.5955663Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagemongopitr-del-res1.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://test-virangai-vinhstagemongopitr-del-res1.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"2b5e6412-19dc-4d79-88ae-178f5e30dd78\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagemongopitr-del-res1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagemongopitr-del-res1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagemongopitr-del-res1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagemongopitr-del-res1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagemongopitr-del-res1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagemongopitr-del-res1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagemongopitr-del-res1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5631ca54-c65e-4c02-97ad-57a7a12b8da0\",\r\n \"restoreTimestampInUtc\": \"2020-11-30T22:39:00Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ctlcontainerworkloads/providers/Microsoft.DocumentDB/databaseAccounts/prototypeprofilingworkloads\",\r\n \"name\": \"prototypeprofilingworkloads\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-08T08:43:55.2702074Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://prototypeprofilingworkloads.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"608da8a1-478c-474b-84d9-27e442b5a295\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"prototypeprofilingworkloads-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://prototypeprofilingworkloads-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"prototypeprofilingworkloads-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://prototypeprofilingworkloads-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"prototypeprofilingworkloads-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://prototypeprofilingworkloads-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"prototypeprofilingworkloads-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://prototypeprofilingworkloads-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"prototypeprofilingworkloads-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://prototypeprofilingworkloads-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"prototypeprofilingworkloads-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://prototypeprofilingworkloads-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"prototypeprofilingworkloads-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://prototypeprofilingworkloads-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"prototypeprofilingworkloads-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"prototypeprofilingworkloads-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 2\r\n },\r\n {\r\n \"id\": \"prototypeprofilingworkloads-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/pitr-sql-stage-source\",\r\n \"name\": \"pitr-sql-stage-source\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-08T18:18:46.0964181Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-source.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"9a4b63c3-49d1-4c87-b28e-92e92aeaa0ea\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-sql-stage-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-source-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-sql-stage-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-source-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"pitr-sql-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-sql-stage-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-source-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"pitr-sql-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-sql-stage-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"pitr-sql-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/restore-test1\",\r\n \"name\": \"restore-test1\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-08T21:44:46.139089Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://restore-test1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"7d98d6c0-eadf-4d7e-a166-696de37c91fc\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"restore-test1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restore-test1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"restore-test1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restore-test1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"restore-test1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restore-test1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"restore-test1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5dee0717-8f84-40d7-b7c1-921552ba61a5\",\r\n \"restoreTimestampInUtc\": \"2020-11-12T00:40:36Z\",\r\n \"databasesToRestore\": [\r\n {\r\n \"databaseName\": \"CosmosPITRTest\",\r\n \"collectionNames\": [\r\n \"Test0\",\r\n \"Test1\"\r\n ]\r\n }\r\n ]\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai/providers/Microsoft.DocumentDB/databaseAccounts/test-virangai-vinhstagemongopitr-1\",\r\n \"name\": \"test-virangai-vinhstagemongopitr-1\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-09T10:37:07.3408295Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagemongopitr-1.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://test-virangai-vinhstagemongopitr-1.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"08155af7-e63f-4db1-82ed-c99b8a08e541\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagemongopitr-1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagemongopitr-1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagemongopitr-1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagemongopitr-1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagemongopitr-1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagemongopitr-1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagemongopitr-1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5cfa410f-ea0c-4995-aa59-9809a69c21f8\",\r\n \"restoreTimestampInUtc\": \"2020-11-25T17:25:31Z\",\r\n \"databasesToRestore\": [\r\n {\r\n \"databaseName\": \"mongodbdb\",\r\n \"collectionNames\": [\r\n \"coll2\",\r\n \"collone\"\r\n ]\r\n }\r\n ]\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai/providers/Microsoft.DocumentDB/databaseAccounts/virangai-test-vinhstagepitr-restore1\",\r\n \"name\": \"virangai-test-vinhstagepitr-restore1\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-10T02:08:17.9156245Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://virangai-test-vinhstagepitr-restore1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d0cb2ece-f253-4f20-86d0-01897e729eba\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"virangai-test-vinhstagepitr-restore1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-vinhstagepitr-restore1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"virangai-test-vinhstagepitr-restore1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-vinhstagepitr-restore1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"virangai-test-vinhstagepitr-restore1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-vinhstagepitr-restore1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"virangai-test-vinhstagepitr-restore1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5dee0717-8f84-40d7-b7c1-921552ba61a5\",\r\n \"restoreTimestampInUtc\": \"2020-11-12T00:40:54Z\",\r\n \"databasesToRestore\": [\r\n {\r\n \"databaseName\": \"db1\",\r\n \"collectionNames\": [\r\n \"container1\"\r\n ]\r\n },\r\n {\r\n \"databaseName\": \"CosmosPITRTest\",\r\n \"collectionNames\": [\r\n \"Test13\",\r\n \"Test5\",\r\n \"Test2\",\r\n \"Test9\",\r\n \"Test22\",\r\n \"Test12\",\r\n \"Test7\",\r\n \"Test11\",\r\n \"Test3\",\r\n \"Test18\",\r\n \"Test6\",\r\n \"Test0\",\r\n \"Test8\",\r\n \"Test14\",\r\n \"Test17\",\r\n \"Test25\",\r\n \"Test1\",\r\n \"Test19\",\r\n \"Test15\",\r\n \"Test10\",\r\n \"Test26\",\r\n \"Test21\",\r\n \"Test24\",\r\n \"Test23\",\r\n \"Test16\",\r\n \"Test4\",\r\n \"Test20\"\r\n ]\r\n },\r\n {\r\n \"databaseName\": \"CosmosIOTDemo\",\r\n \"collectionNames\": [\r\n \"VehicleData\"\r\n ]\r\n }\r\n ]\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai/providers/Microsoft.DocumentDB/databaseAccounts/virangai-test-vinhstagepitr-restore2\",\r\n \"name\": \"virangai-test-vinhstagepitr-restore2\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-10T03:12:30.5345961Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://virangai-test-vinhstagepitr-restore2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"9373a8d7-1889-4be9-9ddb-e589e406d04b\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"virangai-test-vinhstagepitr-restore2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-vinhstagepitr-restore2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"virangai-test-vinhstagepitr-restore2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-vinhstagepitr-restore2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"virangai-test-vinhstagepitr-restore2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-vinhstagepitr-restore2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"virangai-test-vinhstagepitr-restore2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5dee0717-8f84-40d7-b7c1-921552ba61a5\",\r\n \"restoreTimestampInUtc\": \"2020-11-12T00:41:12Z\",\r\n \"databasesToRestore\": [\r\n {\r\n \"databaseName\": \"db1\",\r\n \"collectionNames\": [\r\n \"container1\"\r\n ]\r\n },\r\n {\r\n \"databaseName\": \"CosmosPITRTest\",\r\n \"collectionNames\": [\r\n \"Test13\",\r\n \"Test5\",\r\n \"Test37\",\r\n \"Test44\",\r\n \"Test2\",\r\n \"Test9\",\r\n \"Test34\",\r\n \"Test22\",\r\n \"Test12\",\r\n \"Test40\",\r\n \"Test46\",\r\n \"Test7\",\r\n \"Test35\",\r\n \"Test11\",\r\n \"Test3\",\r\n \"Test18\",\r\n \"Test6\",\r\n \"Test0\",\r\n \"Test41\",\r\n \"Test28\",\r\n \"Test8\",\r\n \"Test14\",\r\n \"Test17\",\r\n \"Test30\",\r\n \"Test25\",\r\n \"Test42\",\r\n \"Test1\",\r\n \"Test19\",\r\n \"Test15\",\r\n \"Test48\",\r\n \"Test27\",\r\n \"Test47\",\r\n \"Test31\",\r\n \"Test32\",\r\n \"Test10\",\r\n \"Test26\",\r\n \"Test21\",\r\n \"Test38\",\r\n \"Test45\",\r\n \"Test39\",\r\n \"Test36\",\r\n \"Test24\",\r\n \"Test49\",\r\n \"Test33\",\r\n \"Test23\",\r\n \"Test29\",\r\n \"Test16\",\r\n \"Test43\",\r\n \"Test4\",\r\n \"Test20\"\r\n ]\r\n },\r\n {\r\n \"databaseName\": \"CosmosIOTDemo\",\r\n \"collectionNames\": [\r\n \"VehicleData\"\r\n ]\r\n }\r\n ]\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/restoredaccountname637435832535194992\",\r\n \"name\": \"restoredaccountname637435832535194992\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-15T23:04:00.348964Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://restoredaccountname637435832535194992.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"530b269d-274b-4987-94e1-f54b09abecff\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"restoredaccountname637435832535194992-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname637435832535194992-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"restoredaccountname637435832535194992-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname637435832535194992-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"restoredaccountname637435832535194992-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname637435832535194992-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"restoredaccountname637435832535194992-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/9a4b63c3-49d1-4c87-b28e-92e92aeaa0ea\",\r\n \"restoreTimestampInUtc\": \"2020-12-14T22:54:13.5194992Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/restoredaccountname359\",\r\n \"name\": \"restoredaccountname359\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-16T00:51:05.9707658Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://restoredaccountname359.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"4993c7e8-c48b-4e45-9353-9baea1ce9e2a\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"restoredaccountname359-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname359-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"restoredaccountname359-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname359-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"restoredaccountname359-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname359-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"restoredaccountname359-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/9a4b63c3-49d1-4c87-b28e-92e92aeaa0ea\",\r\n \"restoreTimestampInUtc\": \"2020-12-16T00:00:00Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/visridha/providers/Microsoft.DocumentDB/databaseAccounts/testsqlperf\",\r\n \"name\": \"testsqlperf\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-21T21:50:52.985505Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testsqlperf.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"60086af8-f12f-4c44-bafe-3fca77e6843a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testsqlperf-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testsqlperf-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testsqlperf-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testsqlperf-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testsqlperf-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testsqlperf-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testsqlperf-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 720,\r\n \"backupRetentionIntervalInHours\": 24,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/pitr-sql-stage-restored-from-new-portal\",\r\n \"name\": \"pitr-sql-stage-restored-from-new-portal\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-05T00:28:33.8472693Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-restored-from-new-portal.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d673eaa8-f7fa-421f-9d61-ba314864a431\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-sql-stage-restored-from-new-portal-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-restored-from-new-portal-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-sql-stage-restored-from-new-portal-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-restored-from-new-portal-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-sql-stage-restored-from-new-portal-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-restored-from-new-portal-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-sql-stage-restored-from-new-portal-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/9a4b63c3-49d1-4c87-b28e-92e92aeaa0ea\",\r\n \"restoreTimestampInUtc\": \"2020-12-08T22:00:02Z\",\r\n \"databasesToRestore\": [\r\n {\r\n \"databaseName\": \"database1\",\r\n \"collectionNames\": [\r\n \"container1\"\r\n ]\r\n }\r\n ]\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/pitrtest1-res1\",\r\n \"name\": \"pitrtest1-res1\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-05T23:45:54.8433804Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitrtest1-res1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"6d6384ae-d623-4323-8388-65ca7df02733\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitrtest1-res1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitrtest1-res1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitrtest1-res1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitrtest1-res1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitrtest1-res1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitrtest1-res1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitrtest1-res1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5dee0717-8f84-40d7-b7c1-921552ba61a5\",\r\n \"restoreTimestampInUtc\": \"2020-12-12T00:41:10Z\",\r\n \"databasesToRestore\": [\r\n {\r\n \"databaseName\": \"db1\",\r\n \"collectionNames\": [\r\n \"container1\"\r\n ]\r\n }\r\n ]\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/pitrtest1-res2\",\r\n \"name\": \"pitrtest1-res2\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-05T23:46:36.9885427Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitrtest1-res2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"0bcf9a9b-1ca1-4406-9652-aa087d5f0b3f\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitrtest1-res2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitrtest1-res2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitrtest1-res2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitrtest1-res2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitrtest1-res2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitrtest1-res2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitrtest1-res2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5dee0717-8f84-40d7-b7c1-921552ba61a5\",\r\n \"restoreTimestampInUtc\": \"2020-12-12T00:41:10Z\",\r\n \"databasesToRestore\": [\r\n {\r\n \"databaseName\": \"db1\",\r\n \"collectionNames\": [\r\n \"container1\"\r\n ]\r\n }\r\n ]\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai-test/providers/Microsoft.DocumentDB/databaseAccounts/test-virangai-vinhstagepitr-1\",\r\n \"name\": \"test-virangai-vinhstagepitr-1\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-06T09:24:06.8099413Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagepitr-1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"b15e30f1-4e37-4fca-b77b-303516959017\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagepitr-1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagepitr-1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagepitr-1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagepitr-1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagepitr-1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagepitr-1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagepitr-1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5dee0717-8f84-40d7-b7c1-921552ba61a5\",\r\n \"restoreTimestampInUtc\": \"2020-12-12T00:41:13Z\",\r\n \"databasesToRestore\": [\r\n {\r\n \"databaseName\": \"db1\",\r\n \"collectionNames\": [\r\n \"container1\"\r\n ]\r\n },\r\n {\r\n \"databaseName\": \"CosmosPITRTest\",\r\n \"collectionNames\": [\r\n \"Test13\",\r\n \"Test5\",\r\n \"Test37\",\r\n \"Test44\",\r\n \"Test2\",\r\n \"Test9\",\r\n \"Test34\",\r\n \"Test22\",\r\n \"Test12\",\r\n \"Test40\",\r\n \"Test46\",\r\n \"Test7\",\r\n \"Test35\",\r\n \"Test11\",\r\n \"Test3\",\r\n \"Test18\",\r\n \"Test6\",\r\n \"Test0\",\r\n \"Test41\",\r\n \"Test28\",\r\n \"Test8\",\r\n \"Test14\",\r\n \"Test17\",\r\n \"Test30\",\r\n \"Test25\",\r\n \"Test42\",\r\n \"Test1\",\r\n \"Test19\",\r\n \"Test15\",\r\n \"Test48\",\r\n \"Test27\",\r\n \"Test47\",\r\n \"Test31\",\r\n \"Test32\",\r\n \"Test10\",\r\n \"Test26\",\r\n \"Test21\",\r\n \"Test38\",\r\n \"Test45\",\r\n \"Test39\",\r\n \"Test36\",\r\n \"Test24\",\r\n \"Test49\",\r\n \"Test33\",\r\n \"Test23\",\r\n \"Test29\",\r\n \"Test16\",\r\n \"Test43\",\r\n \"Test4\",\r\n \"Test20\"\r\n ]\r\n },\r\n {\r\n \"databaseName\": \"CosmosIOTDemo\",\r\n \"collectionNames\": [\r\n \"VehicleData\"\r\n ]\r\n }\r\n ]\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai-test/providers/Microsoft.DocumentDB/databaseAccounts/test-virangai-vinhstagepitr-2\",\r\n \"name\": \"test-virangai-vinhstagepitr-2\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-06T09:33:05.9310034Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagepitr-2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"617f5c88-2a93-45b4-be38-0cd7addea976\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagepitr-2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagepitr-2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagepitr-2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagepitr-2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagepitr-2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagepitr-2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagepitr-2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5dee0717-8f84-40d7-b7c1-921552ba61a5\",\r\n \"restoreTimestampInUtc\": \"2020-12-12T00:41:13Z\",\r\n \"databasesToRestore\": [\r\n {\r\n \"databaseName\": \"db1\",\r\n \"collectionNames\": [\r\n \"container1\"\r\n ]\r\n },\r\n {\r\n \"databaseName\": \"CosmosPITRTest\",\r\n \"collectionNames\": [\r\n \"Test13\",\r\n \"Test5\",\r\n \"Test37\",\r\n \"Test44\",\r\n \"Test2\",\r\n \"Test9\",\r\n \"Test34\",\r\n \"Test22\",\r\n \"Test12\",\r\n \"Test40\",\r\n \"Test46\",\r\n \"Test7\",\r\n \"Test35\",\r\n \"Test11\",\r\n \"Test3\",\r\n \"Test18\",\r\n \"Test6\",\r\n \"Test0\",\r\n \"Test41\",\r\n \"Test28\",\r\n \"Test8\",\r\n \"Test14\",\r\n \"Test17\",\r\n \"Test30\",\r\n \"Test25\",\r\n \"Test42\",\r\n \"Test1\",\r\n \"Test19\",\r\n \"Test15\",\r\n \"Test48\",\r\n \"Test27\",\r\n \"Test47\",\r\n \"Test31\",\r\n \"Test32\",\r\n \"Test10\",\r\n \"Test26\",\r\n \"Test21\",\r\n \"Test38\",\r\n \"Test45\",\r\n \"Test39\",\r\n \"Test36\",\r\n \"Test24\",\r\n \"Test49\",\r\n \"Test33\",\r\n \"Test23\",\r\n \"Test29\",\r\n \"Test16\",\r\n \"Test43\",\r\n \"Test4\",\r\n \"Test20\"\r\n ]\r\n },\r\n {\r\n \"databaseName\": \"CosmosIOTDemo\",\r\n \"collectionNames\": [\r\n \"VehicleData\"\r\n ]\r\n }\r\n ]\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/test-restore-4\",\r\n \"name\": \"test-restore-4\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-07T01:23:38.3845009Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-restore-4.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"2eecc23f-69df-4de3-9103-b6ca529536a4\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-restore-4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-restore-4-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-restore-4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-restore-4-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-restore-4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-restore-4-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-restore-4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5dee0717-8f84-40d7-b7c1-921552ba61a5\",\r\n \"restoreTimestampInUtc\": \"2020-12-12T00:41:13Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/test-restore5\",\r\n \"name\": \"test-restore5\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-07T01:23:39.9001395Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-restore5.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d91e1ad2-22b0-401e-b465-a16e5928e194\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-restore5-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-restore5-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-restore5-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-restore5-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-restore5-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-restore5-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-restore5-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5dee0717-8f84-40d7-b7c1-921552ba61a5\",\r\n \"restoreTimestampInUtc\": \"2020-12-12T00:41:13Z\",\r\n \"databasesToRestore\": [\r\n {\r\n \"databaseName\": \"db1\",\r\n \"collectionNames\": [\r\n \"container1\"\r\n ]\r\n },\r\n {\r\n \"databaseName\": \"CosmosPITRTest\",\r\n \"collectionNames\": [\r\n \"Test13\",\r\n \"Test5\",\r\n \"Test37\",\r\n \"Test44\",\r\n \"Test2\",\r\n \"Test9\",\r\n \"Test34\",\r\n \"Test22\",\r\n \"Test12\",\r\n \"Test40\",\r\n \"Test46\",\r\n \"Test7\",\r\n \"Test35\",\r\n \"Test11\",\r\n \"Test3\",\r\n \"Test18\",\r\n \"Test6\",\r\n \"Test0\",\r\n \"Test41\",\r\n \"Test28\",\r\n \"Test8\",\r\n \"Test14\",\r\n \"Test17\",\r\n \"Test30\",\r\n \"Test25\",\r\n \"Test42\",\r\n \"Test1\",\r\n \"Test19\",\r\n \"Test15\",\r\n \"Test48\",\r\n \"Test27\",\r\n \"Test47\",\r\n \"Test31\",\r\n \"Test32\",\r\n \"Test10\",\r\n \"Test26\",\r\n \"Test21\",\r\n \"Test38\",\r\n \"Test45\",\r\n \"Test39\",\r\n \"Test36\",\r\n \"Test24\",\r\n \"Test49\",\r\n \"Test33\",\r\n \"Test23\",\r\n \"Test29\",\r\n \"Test16\",\r\n \"Test43\",\r\n \"Test4\",\r\n \"Test20\"\r\n ]\r\n },\r\n {\r\n \"databaseName\": \"CosmosIOTDemo\",\r\n \"collectionNames\": [\r\n \"VehicleData\"\r\n ]\r\n }\r\n ]\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/test-restore6\",\r\n \"name\": \"test-restore6\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-07T03:18:45.0362608Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-restore6.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"132908b6-2701-44a5-bdbe-a7c296e26283\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-restore6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-restore6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-restore6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-restore6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-restore6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-restore6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-restore6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5dee0717-8f84-40d7-b7c1-921552ba61a5\",\r\n \"restoreTimestampInUtc\": \"2020-12-12T00:41:13Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/SQL_on_Compute_sign_off/providers/Microsoft.DocumentDB/databaseAccounts/sqloncomputejavastagesignoff\",\r\n \"name\": \"sqloncomputejavastagesignoff\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-15T02:06:13.3937424Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sqloncomputejavastagesignoff.sql.cosmos.windows-ppe.net:443/\",\r\n \"sqlEndpoint\": \"https://sqloncomputejavastagesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"769be62e-1c2a-4e5d-a4a4-03f8361723f6\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Strong\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sqloncomputejavastagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputejavastagesignoff-westus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sqloncomputejavastagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputejavastagesignoff-westus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sqloncomputejavastagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputejavastagesignoff-westus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sqloncomputejavastagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSql\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/SQL_on_Compute_sign_off/providers/Microsoft.DocumentDB/databaseAccounts/sqloncomputepythonstagesignoff\",\r\n \"name\": \"sqloncomputepythonstagesignoff\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-15T02:39:17.5555868Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sqloncomputepythonstagesignoff.sql.cosmos.windows-ppe.net:443/\",\r\n \"sqlEndpoint\": \"https://sqloncomputepythonstagesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"ffeab641-7c1a-4645-8f24-f65ea835127b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sqloncomputepythonstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputepythonstagesignoff-westus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sqloncomputepythonstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputepythonstagesignoff-westus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sqloncomputepythonstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputepythonstagesignoff-westus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sqloncomputepythonstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSql\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/SQL_on_Compute_sign_off/providers/Microsoft.DocumentDB/databaseAccounts/sqloncomputejsstagesignoff\",\r\n \"name\": \"sqloncomputejsstagesignoff\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-15T02:48:12.482706Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sqloncomputejsstagesignoff.sql.cosmos.windows-ppe.net:443/\",\r\n \"sqlEndpoint\": \"https://sqloncomputejsstagesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c90decf6-1ffb-4136-ae78-60fa87a232e5\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sqloncomputejsstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputejsstagesignoff-westus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sqloncomputejsstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputejsstagesignoff-westus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sqloncomputejsstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputejsstagesignoff-westus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sqloncomputejsstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSql\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/pitr-sql-stage-source-personalrestore-greeen\",\r\n \"name\": \"pitr-sql-stage-source-personalrestore-greeen\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-15T22:51:58.351694Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-source-personalrestore-greeen.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"2ab6f2d2-ce7e-439b-90b3-5505c8f9ff76\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-sql-stage-source-personalrestore-greeen-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-source-personalrestore-greeen-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-sql-stage-source-personalrestore-greeen-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-source-personalrestore-greeen-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-sql-stage-source-personalrestore-greeen-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-source-personalrestore-greeen-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-sql-stage-source-personalrestore-greeen-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/9a4b63c3-49d1-4c87-b28e-92e92aeaa0ea\",\r\n \"restoreTimestampInUtc\": \"2021-01-14T00:00:00Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/artrejo/providers/Microsoft.DocumentDB/databaseAccounts/artrejo-stage-mongo-32\",\r\n \"name\": \"artrejo-stage-mongo-32\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-25T07:08:50.4620214Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://artrejo-stage-mongo-32.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"5fd9a1ff-c2bc-47b7-82fe-8af446e982bc\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"artrejo-stage-mongo-32-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://artrejo-stage-mongo-32-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"artrejo-stage-mongo-32-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://artrejo-stage-mongo-32-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"artrejo-stage-mongo-32-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://artrejo-stage-mongo-32-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"artrejo-stage-mongo-32-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/artrejo/providers/Microsoft.DocumentDB/databaseAccounts/artrejo-stage-mongo-36\",\r\n \"name\": \"artrejo-stage-mongo-36\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-25T07:14:37.0042214Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://artrejo-stage-mongo-36.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://artrejo-stage-mongo-36.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"69583fda-fe4a-4e83-bd51-457b71169c8e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"artrejo-stage-mongo-36-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://artrejo-stage-mongo-36-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"artrejo-stage-mongo-36-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://artrejo-stage-mongo-36-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"artrejo-stage-mongo-36-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://artrejo-stage-mongo-36-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"artrejo-stage-mongo-36-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/SQL_on_Compute_sign_off/providers/Microsoft.DocumentDB/databaseAccounts/sqloncomputejava2asyncstagesignoff\",\r\n \"name\": \"sqloncomputejava2asyncstagesignoff\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-31T20:44:19.1421044Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sqloncomputejava2asyncstagesignoff.sql.cosmos.windows-ppe.net:443/\",\r\n \"sqlEndpoint\": \"https://sqloncomputejava2asyncstagesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"765d0215-9e26-45b4-959c-1ddc4008ba84\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Strong\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sqloncomputejava2asyncstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputejava2asyncstagesignoff-westus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sqloncomputejava2asyncstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputejava2asyncstagesignoff-westus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sqloncomputejava2asyncstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputejava2asyncstagesignoff-westus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sqloncomputejava2asyncstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSql\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/SQL_on_Compute_sign_off/providers/Microsoft.DocumentDB/databaseAccounts/sqloncomputejava2syncstagesignoff\",\r\n \"name\": \"sqloncomputejava2syncstagesignoff\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-31T20:48:50.7232085Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sqloncomputejava2syncstagesignoff.sql.cosmos.windows-ppe.net:443/\",\r\n \"sqlEndpoint\": \"https://sqloncomputejava2syncstagesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"4cb783c6-fd67-4138-bbaa-648339ef64f5\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Strong\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sqloncomputejava2syncstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputejava2syncstagesignoff-westus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sqloncomputejava2syncstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputejava2syncstagesignoff-westus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sqloncomputejava2syncstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputejava2syncstagesignoff-westus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sqloncomputejava2syncstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSql\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abpairg/providers/Microsoft.DocumentDB/databaseAccounts/saawasek\",\r\n \"name\": \"saawasek\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"Owner\": \"saawasel\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-08T09:39:57.620453Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://saawasek.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"ddfae86a-219a-4e81-99ff-c8b11995305c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"saawasek-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://saawasek-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"saawasek-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://saawasek-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"saawasek-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://saawasek-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"saawasek-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/emlopez/providers/Microsoft.DocumentDB/databaseAccounts/emlopez-latencytest\",\r\n \"name\": \"emlopez-latencytest\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-09T21:45:29.0103423Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://emlopez-latencytest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"cb72edb9-6050-4786-a682-d8f6ef1fb57a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"emlopez-latencytest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://emlopez-latencytest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"emlopez-latencytest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://emlopez-latencytest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"emlopez-latencytest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://emlopez-latencytest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"emlopez-latencytest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/targetacctrestore\",\r\n \"name\": \"targetacctrestore\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-18T18:30:13.6151361Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://targetacctrestore.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"483d93e5-302b-4093-9502-ce63d416e70f\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"targetacctrestore-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://targetacctrestore-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"targetacctrestore-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://targetacctrestore-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"targetacctrestore-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://targetacctrestore-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"targetacctrestore-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/6d6384ae-d623-4323-8388-65ca7df02733\",\r\n \"restoreTimestampInUtc\": \"2021-02-18T17:40:00Z\",\r\n \"databasesToRestore\": [\r\n {\r\n \"databaseName\": \"db1\",\r\n \"collectionNames\": [\r\n \"container1\"\r\n ]\r\n }\r\n ]\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/kakhandr-rg/providers/Microsoft.DocumentDB/databaseAccounts/kal-cli-backup-test\",\r\n \"name\": \"kal-cli-backup-test\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-22T20:39:55.3350623Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://kal-cli-backup-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"7cbbd986-d40d-4b12-a895-3a3a29510125\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"kal-cli-backup-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kal-cli-backup-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"kal-cli-backup-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kal-cli-backup-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"kal-cli-backup-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kal-cli-backup-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"kal-cli-backup-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/kakhandr-rg/providers/Microsoft.DocumentDB/databaseAccounts/kal-ps-backup-test\",\r\n \"name\": \"kal-ps-backup-test\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-22T21:55:54.9343272Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://kal-ps-backup-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d80e71f3-805e-4e73-af7d-eb611f1dc9ee\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"kal-ps-backup-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kal-ps-backup-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"kal-ps-backup-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kal-ps-backup-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"kal-ps-backup-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kal-ps-backup-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"kal-ps-backup-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 480,\r\n \"backupRetentionIntervalInHours\": 16,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CtlProfilingPrototypes/providers/Microsoft.DocumentDB/databaseAccounts/ecommerceprototype\",\r\n \"name\": \"ecommerceprototype\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-22T22:15:30.854419Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ecommerceprototype.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c1f5edbe-9964-4837-bee1-4120d2bc50c1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ecommerceprototype-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ecommerceprototype-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ecommerceprototype-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ecommerceprototype-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ecommerceprototype-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ecommerceprototype-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ecommerceprototype-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mominag-stage7/providers/Microsoft.DocumentDB/databaseAccounts/mominag-stage7\",\r\n \"name\": \"mominag-stage7\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-23T16:58:34.9565429Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mominag-stage7.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"949e3d88-b414-4052-81b5-6149798ac713\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mominag-stage7-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mominag-stage7-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mominag-stage7-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mominag-stage7-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mominag-stage7-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mominag-stage7-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mominag-stage7-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/tvoellm-group/providers/Microsoft.DocumentDB/databaseAccounts/testingenffailure\",\r\n \"name\": \"testingenffailure\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-23T18:13:30.9839886Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testingenffailure.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"61492410-2fa8-4a5e-9c71-e15a140ac601\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"keyVaultKeyUri\": \"https://testingenforcement.vault.azure.net/keys/byok\",\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testingenffailure-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testingenffailure-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testingenffailure-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testingenffailure-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testingenffailure-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testingenffailure-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testingenffailure-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/thweiss-stage/providers/Microsoft.DocumentDB/databaseAccounts/thweiss-rbac-stage\",\r\n \"name\": \"thweiss-rbac-stage\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-24T18:13:55.1445545Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://thweiss-rbac-stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"91330c19-b2c6-4f1b-84d1-5cf4d48895bf\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"thweiss-rbac-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://thweiss-rbac-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"thweiss-rbac-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://thweiss-rbac-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"thweiss-rbac-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://thweiss-rbac-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"thweiss-rbac-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/virangai-test-vinhstagepitr-res\",\r\n \"name\": \"virangai-test-vinhstagepitr-res\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-26T22:14:49.5292394Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://virangai-test-vinhstagepitr-res.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"74e9ac09-75d3-448a-a128-e71866b42e95\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"virangai-test-vinhstagepitr-res-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-vinhstagepitr-res-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"virangai-test-vinhstagepitr-res-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-vinhstagepitr-res-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"virangai-test-vinhstagepitr-res-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-vinhstagepitr-res-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"virangai-test-vinhstagepitr-res-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5dee0717-8f84-40d7-b7c1-921552ba61a5\",\r\n \"restoreTimestampInUtc\": \"2021-02-17T00:41:13Z\",\r\n \"databasesToRestore\": [\r\n {\r\n \"databaseName\": \"Test\",\r\n \"collectionNames\": [\r\n \"Test\"\r\n ]\r\n }\r\n ]\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/shthekkachangefeed\",\r\n \"name\": \"shthekkachangefeed\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-02T01:23:50.923821Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://shthekkachangefeed.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"93b4a120-202e-49a7-8559-5da22bf22204\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shthekkachangefeed-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shthekkachangefeed-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shthekkachangefeed-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shthekkachangefeed-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/wmengstagetest/providers/Microsoft.DocumentDB/databaseAccounts/wmengstagemongowestus2a\",\r\n \"name\": \"wmengstagemongowestus2a\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-02T07:53:29.6512895Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://wmengstagemongowestus2a.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://wmengstagemongowestus2a.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"5be6f8f7-6186-4609-b589-a23bc7a39bde\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"wmengstagemongowestus2a-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://wmengstagemongowestus2a-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"wmengstagemongowestus2a-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://wmengstagemongowestus2a-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"wmengstagemongowestus2a-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://wmengstagemongowestus2a-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"wmengstagemongowestus2a-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/shthekkachangefeed1\",\r\n \"name\": \"shthekkachangefeed1\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-02T14:07:59.2149188Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"2c0ea95d-1e53-48d6-adbb-6a7fac1b8783\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": true,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shthekkachangefeed1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shthekkachangefeed1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shthekkachangefeed1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shthekkachangefeed1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/shthekkachangefeed2\",\r\n \"name\": \"shthekkachangefeed2\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-02T16:54:10.5282163Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"dd7602ae-9453-48bf-9bc7-4404ee55f818\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": true,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shthekkachangefeed2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shthekkachangefeed2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shthekkachangefeed2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shthekkachangefeed2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/restoredaccountname8240\",\r\n \"name\": \"restoredaccountname8240\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-02T23:44:12.9677973Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://restoredaccountname8240.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"24f3f6b6-9d96-4dc2-84b9-ae1c0cba8d4e\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"restoredaccountname8240-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname8240-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"restoredaccountname8240-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname8240-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"restoredaccountname8240-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname8240-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"restoredaccountname8240-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/9a4b63c3-49d1-4c87-b28e-92e92aeaa0ea\",\r\n \"restoreTimestampInUtc\": \"2021-03-01T00:00:00Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/restoredaccountname320\",\r\n \"name\": \"restoredaccountname320\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T00:59:33.2653566Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://restoredaccountname320.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"f319c2f4-7e68-48c0-9eac-94e12fb51179\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"restoredaccountname320-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname320-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"restoredaccountname320-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname320-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"restoredaccountname320-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname320-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"restoredaccountname320-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/9a4b63c3-49d1-4c87-b28e-92e92aeaa0ea\",\r\n \"restoreTimestampInUtc\": \"2021-03-01T00:00:00Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/restoredaccountname6982\",\r\n \"name\": \"restoredaccountname6982\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T02:34:05.8453693Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://restoredaccountname6982.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"672e89ce-0096-4a87-8131-3d2d5d483a3a\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"restoredaccountname6982-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname6982-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"restoredaccountname6982-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname6982-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"restoredaccountname6982-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname6982-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"restoredaccountname6982-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/9a4b63c3-49d1-4c87-b28e-92e92aeaa0ea\",\r\n \"restoreTimestampInUtc\": \"2021-03-01T00:00:00Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/restoredaccountname8295\",\r\n \"name\": \"restoredaccountname8295\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T17:48:44.4341123Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://restoredaccountname8295.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1a937e8e-1a33-4fd1-9349-34ede3dd02f2\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"restoredaccountname8295-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname8295-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"restoredaccountname8295-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname8295-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"restoredaccountname8295-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname8295-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"restoredaccountname8295-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/9a4b63c3-49d1-4c87-b28e-92e92aeaa0ea\",\r\n \"restoreTimestampInUtc\": \"2021-03-01T00:00:00Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli4mjhqv3b574l\",\r\n \"name\": \"cli4mjhqv3b574l\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-03T02:53:40.0432893Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cli4mjhqv3b574l.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"cbea4201-475f-4957-8a4e-bdb781826112\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cli4mjhqv3b574l-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cli4mjhqv3b574l-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cli4mjhqv3b574l-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cli4mjhqv3b574l-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cli4mjhqv3b574l-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cli4mjhqv3b574l-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cli4mjhqv3b574l-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shatri_vmss/providers/Microsoft.DocumentDB/databaseAccounts/shatrivmsscas\",\r\n \"name\": \"shatrivmsscas\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-05T22:07:42.0755521Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shatrivmsscas.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://shatrivmsscas.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"97eda513-da11-4b39-a1b4-a0e0212ed46a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shatrivmsscas-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shatrivmsscas-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shatrivmsscas-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shatrivmsscas-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shatrivmsscas-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shatrivmsscas-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shatrivmsscas-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shatri_vmss/providers/Microsoft.DocumentDB/databaseAccounts/shatrivmsscass1\",\r\n \"name\": \"shatrivmsscass1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-05T22:57:54.9590419Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shatrivmsscass1.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://shatrivmsscass1.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d2230b57-fc66-4981-a85c-ff8b4b73a71a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shatrivmsscass1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shatrivmsscass1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shatrivmsscass1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shatrivmsscass1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shatrivmsscass1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shatrivmsscass1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shatrivmsscass1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/kristynh/providers/Microsoft.DocumentDB/databaseAccounts/kristynh-logs-test\",\r\n \"name\": \"kristynh-logs-test\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-07T00:01:50.7316059Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://kristynh-logs-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"instanceId\": \"ce8d4d88-4820-4f6c-a9e2-1e03cc9e0ad0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"kristynh-logs-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://kristynh-logs-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"kristynh-logs-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://kristynh-logs-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"kristynh-logs-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://kristynh-logs-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"kristynh-logs-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shreygremlintest/providers/Microsoft.DocumentDB/databaseAccounts/shreygremlintest2\",\r\n \"name\": \"shreygremlintest2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlinv2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-07T00:09:04.2396508Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shreygremlintest2.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://shreygremlintest2.gremlin.cosmos.windows-ppe.net/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"GremlinV2\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"3063f0a4-c783-46ac-9453-56182e595e10\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"clusterInstanceCount\": 1,\r\n \"clusterSize\": \"Cosmos.Gremlin.D4s\"\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shreygremlintest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreygremlintest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shreygremlintest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreygremlintest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shreygremlintest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreygremlintest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shreygremlintest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlinV2\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging-eastus2/providers/Microsoft.DocumentDB/databaseAccounts/stage-gv2-2\",\r\n \"name\": \"stage-gv2-2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlinv2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-07T00:25:59.1177018Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stage-gv2-2.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://stage-gv2-2.gremlin.cosmos.windows-ppe.net/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"GremlinV2\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1547da99-5119-48a2-a54c-90669ad44be9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"clusterInstanceCount\": 1,\r\n \"clusterSize\": \"Cosmos.D4s\"\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stage-gv2-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-gv2-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stage-gv2-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-gv2-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stage-gv2-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-gv2-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stage-gv2-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlinV2\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sanayak-test/providers/Microsoft.DocumentDB/databaseAccounts/sanayakstagevctest\",\r\n \"name\": \"sanayakstagevctest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-08-08T04:46:20.1847198Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sanayakstagevctest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1b0c2161-4aa4-4b85-b3e9-c4044213e288\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sanayakstagevctest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sanayakstagevctest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sanayakstagevctest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://sanayakstagevctest-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sanayakstagevctest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sanayakstagevctest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sanayakstagevctest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sanayakstagevctest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sanayakstagevctest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://sanayakstagevctest-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sanayakstagevctest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sanayakstagevctest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sanayakstagevctest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sanayakstagevctest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sanayakstagevctest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://sanayakstagevctest-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sanayakstagevctest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sanayakstagevctest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sanayakstagevctest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"sanayakstagevctest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 2\r\n },\r\n {\r\n \"id\": \"sanayakstagevctest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 2\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/kristynh/providers/Microsoft.DocumentDB/databaseAccounts/kristynh-new\",\r\n \"name\": \"kristynh-new\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-14T22:54:54.0050232Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://kristynh-new.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"215cee9b-df61-4e7b-8184-67c8fcf60aff\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"kristynh-new-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://kristynh-new-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"kristynh-new-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://kristynh-new-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"kristynh-new-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://kristynh-new-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"kristynh-new-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shreystagetest/providers/Microsoft.DocumentDB/databaseAccounts/shreysqltest2\",\r\n \"name\": \"shreysqltest2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-08T22:13:44.3089632Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shreysqltest2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"2a13e8e3-bf20-42f4-97bc-0ac482cc32b7\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shreysqltest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreysqltest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shreysqltest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreysqltest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shreysqltest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreysqltest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shreysqltest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abpairg/providers/Microsoft.DocumentDB/databaseAccounts/abpaistgcoscass\",\r\n \"name\": \"abpaistgcoscass\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-07T11:14:57.6059262Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://abpaistgcoscass.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://abpaistgcoscass.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"90eeaa31-2f05-495b-8c6d-518394c2174b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Eventual\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"abpaistgcoscass-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://abpaistgcoscass-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"abpaistgcoscass-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://abpaistgcoscass-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"abpaistgcoscass-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://abpaistgcoscass-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"abpaistgcoscass-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abpairg/providers/Microsoft.DocumentDB/databaseAccounts/abpaistgcossql\",\r\n \"name\": \"abpaistgcossql\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"owner\": \"abpai\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-11-04T18:37:54.8261543Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://abpaistgcossql.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"instanceId\": \"48f94ae0-37a9-4f5a-8eee-f047b04242a2\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"abpaistgcossql-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://abpaistgcossql-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"abpaistgcossql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://abpaistgcossql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"abpaistgcossql-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://abpaistgcossql-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"abpaistgcossql-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://abpaistgcossql-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"abpaistgcossql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://abpaistgcossql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"abpaistgcossql-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://abpaistgcossql-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"abpaistgcossql-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://abpaistgcossql-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"abpaistgcossql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://abpaistgcossql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"abpaistgcossql-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://abpaistgcossql-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"abpaistgcossql-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"abpaistgcossql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 2\r\n },\r\n {\r\n \"id\": \"abpaistgcossql-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 2\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/analyticsstore\",\r\n \"name\": \"analyticsstore\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-27T01:14:27.6039365Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://analyticsstore.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"18feb164-58ce-42a8-9c53-01aa42067e4c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"analyticsstore-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://analyticsstore-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"analyticsstore-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://analyticsstore-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"analyticsstore-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://analyticsstore-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"analyticsstore-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/anatest4\",\r\n \"name\": \"anatest4\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-13T00:08:25.2541895Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://anatest4.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"be77c569-4719-48e3-8e3f-21ebabf044da\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"anatest4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://anatest4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"anatest4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://anatest4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"anatest4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://anatest4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"anatest4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ankis-rg99/providers/Microsoft.DocumentDB/databaseAccounts/ankis-cosmos00\",\r\n \"name\": \"ankis-cosmos00\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-01-30T11:17:58.1562355Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ankis-cosmos00.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"f6160a7e-446b-49af-8dde-40e9d1a31843\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ankis-cosmos00-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ankis-cosmos00-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ankis-cosmos00-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ankis-cosmos00-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ankis-cosmos00-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ankis-cosmos00-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ankis-cosmos00-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/artrejo-mongo-stage/providers/Microsoft.DocumentDB/databaseAccounts/ash-casstest1\",\r\n \"name\": \"ash-casstest1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-25T19:15:44.2498005Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-casstest1.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://ash-casstest1.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1f0c92c4-b5b8-4220-ae91-680e81e3f167\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-casstest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-casstest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-casstest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-casstest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-casstest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-casstest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-casstest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n },\r\n {\r\n \"name\": \"EnableNotebooks\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/ash-df-mongo\",\r\n \"name\": \"ash-df-mongo\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-05T22:54:57.2195328Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-df-mongo.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"312528e0-2767-43ef-9c10-bd6c5e3d6bf1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-df-mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-df-mongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-df-mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-df-mongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-df-mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-df-mongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-df-mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/ash-mongo-test\",\r\n \"name\": \"ash-mongo-test\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-25T22:00:41.5210646Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-mongo-test.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://ash-mongo-test.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"51c5e7b6-9ba5-4f0d-93d8-f21c5d35feee\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-mongo-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-mongo-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-mongo-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-mongo-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-mongo-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-mongo-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-mongo-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/ash-sql-nb\",\r\n \"name\": \"ash-sql-nb\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-25T19:33:41.9917354Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-sql-nb.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"71fcf06e-0d80-446c-9f59-7d6ab937343a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-sql-nb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-sql-nb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-sql-nb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-sql-nb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-sql-nb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-sql-nb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-sql-nb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [\r\n {\r\n \"allowedOrigins\": \"*\"\r\n }\r\n ],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableNotebooks\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/balaperu-test-rg/providers/Microsoft.DocumentDB/databaseAccounts/balaperu-stagetestdb\",\r\n \"name\": \"balaperu-stagetestdb\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-08T23:59:38.4676546Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://balaperu-stagetestdb.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"679dfd1c-daf5-4648-bcd2-a4f602e8fbbe\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"balaperu-stagetestdb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://balaperu-stagetestdb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"balaperu-stagetestdb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://balaperu-stagetestdb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"balaperu-stagetestdb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://balaperu-stagetestdb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"balaperu-stagetestdb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/bulkimporttest/providers/Microsoft.DocumentDB/databaseAccounts/bulkimporttest\",\r\n \"name\": \"bulkimporttest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-08-09T23:32:21.7712589Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://bulkimporttest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d4c1baad-2076-4941-906a-93b217dcfb18\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"bulkimporttest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://bulkimporttest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"bulkimporttest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://bulkimporttest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"bulkimporttest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://bulkimporttest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"bulkimporttest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CAAccountTest1/providers/Microsoft.DocumentDB/databaseAccounts/caaccounttest1\",\r\n \"name\": \"caaccounttest1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-08-22T00:38:20.9330792Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://caaccounttest1.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://caaccounttest1.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"714a53fb-b068-436a-97b1-2a3bfe8f2885\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"caaccounttest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://caaccounttest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"caaccounttest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://caaccounttest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"caaccounttest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://caaccounttest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"caaccounttest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stageeastus2fd3\",\r\n \"name\": \"canary-stageeastus2fd3\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-03T19:05:39.0078796Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"fcb35d47-a58d-43bd-93c2-c3333a7958a9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stageeastus2fd6\",\r\n \"name\": \"canary-stageeastus2fd6\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-08T21:10:29.7430665Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd6.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"39f54380-c5f4-4b82-9ca8-7c6800efc09f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abpairg/providers/Microsoft.DocumentDB/databaseAccounts/abpaistgcosmongo36\",\r\n \"name\": \"abpaistgcosmongo36\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-12T07:49:25.4610465Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://abpaistgcosmongo36.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://abpaistgcosmongo36.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"f4ed2202-404d-4f6a-aaa3-bdb22dbe48cd\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"abpaistgcosmongo36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://abpaistgcosmongo36-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"abpaistgcosmongo36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://abpaistgcosmongo36-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"abpaistgcosmongo36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://abpaistgcosmongo36-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"abpaistgcosmongo36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abpairg/providers/Microsoft.DocumentDB/databaseAccounts/abpaistgcossql2\",\r\n \"name\": \"abpaistgcossql2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"owner\": \"abpai\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-03-10T11:23:20.9773079Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://abpaistgcossql2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"e2765230-16cf-41a6-be18-41b6d1938c25\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"abpaistgcossql2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://abpaistgcossql2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"abpaistgcossql2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://abpaistgcossql2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"abpaistgcossql2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://abpaistgcossql2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"abpaistgcossql2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup8570/providers/Microsoft.DocumentDB/databaseAccounts/accountname9822\",\r\n \"name\": \"accountname9822\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"key1\": \"value1\",\r\n \"key2\": \"value2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-22T21:15:32.149858Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://accountname9822.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": true,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"0afc5a37-cafa-4470-b2ec-9584503c935b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 1000,\r\n \"maxStalenessPrefix\": 300\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"accountname9822-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname9822-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"accountname9822-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname9822-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"accountname9822-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname9822-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"accountname9822-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/maquaran/providers/Microsoft.DocumentDB/databaseAccounts/capabilities-maquaran\",\r\n \"name\": \"capabilities-maquaran\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"MongoDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-06-07T18:59:31.2064926Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://capabilities-maquaran.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"f3b3b514-459d-43b3-88ad-5ac50578cde4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"capabilities-maquaran-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://capabilities-maquaran-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"capabilities-maquaran-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://capabilities-maquaran-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"capabilities-maquaran-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://capabilities-maquaran-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"capabilities-maquaran-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"mongoEnableDocLevelTTL\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/cassandra-yid5img5ochq6\",\r\n \"name\": \"cassandra-yid5img5ochq6\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-16T01:08:51.3309248Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassandra-yid5img5ochq6.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassandra-yid5img5ochq6.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"56e9c1aa-a0a9-4804-9e1d-0fc9957784ae\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassandra-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cassandra-yid5img5ochq6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassandra-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cassandra-yid5img5ochq6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"cassandra-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandra-yid5img5ochq6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassandra-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cassandra-yid5img5ochq6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"cassandra-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandra-yid5img5ochq6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassandra-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"cassandra-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/anatest3\",\r\n \"name\": \"anatest3\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-12T23:40:21.5994308Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://anatest3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"87d4c7f5-16c2-44d7-b7bc-fcfd368f3673\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"anatest3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://anatest3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"anatest3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://anatest3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"anatest3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://anatest3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"anatest3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/akshanka-cassandratestrg/providers/Microsoft.DocumentDB/databaseAccounts/cassandrastagesignoffeus2\",\r\n \"name\": \"cassandrastagesignoffeus2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-01T14:46:02.2298247Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassandrastagesignoffeus2.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassandrastagesignoffeus2.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"84a04aaa-7945-4a4c-a823-d75104ae4f84\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassandrastagesignoffeus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandrastagesignoffeus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassandrastagesignoffeus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandrastagesignoffeus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassandrastagesignoffeus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandrastagesignoffeus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassandrastagesignoffeus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cassandra-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/cassandratester1\",\r\n \"name\": \"cassandratester1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-03T22:20:36.130697Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassandratester1.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassandratester1.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"4a954ccd-c419-4e9e-828d-b3522f4dc8d5\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassandratester1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandratester1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassandratester1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandratester1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassandratester1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandratester1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassandratester1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ccxstagevalidationrg/providers/Microsoft.DocumentDB/databaseAccounts/ccx-edge-mm-demo\",\r\n \"name\": \"ccx-edge-mm-demo\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-11T00:06:29.5615363Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ccx-edge-mm-demo.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://ccx-edge-mm-demo.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"53914c0a-50c9-44dc-8796-917713c63883\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"small\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ccx-edge-mm-demo-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ccx-edge-mm-demo-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ccx-edge-mm-demo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ccx-edge-mm-demo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ccx-edge-mm-demo-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ccx-edge-mm-demo-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ccx-edge-mm-demo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ccx-edge-mm-demo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ccx-edge-mm-demo-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ccx-edge-mm-demo-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ccx-edge-mm-demo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ccx-edge-mm-demo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ccx-edge-mm-demo-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"ccx-edge-mm-demo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/anatest5\",\r\n \"name\": \"anatest5\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-13T00:22:49.5268091Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://anatest5.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d55fa6af-aff5-49c5-9261-707c3c9dd2b4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"anatest5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://anatest5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"anatest5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://anatest5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"anatest5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://anatest5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"anatest5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ankis-rg99/providers/Microsoft.DocumentDB/databaseAccounts/ankis-cosmosdb-rg9\",\r\n \"name\": \"ankis-cosmosdb-rg9\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-01-30T11:17:39.0176146Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ankis-cosmosdb-rg9.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"45f68796-6819-42e6-95e4-dbfb6c6827c1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ankis-cosmosdb-rg9-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ankis-cosmosdb-rg9-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ankis-cosmosdb-rg9-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ankis-cosmosdb-rg9-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ankis-cosmosdb-rg9-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ankis-cosmosdb-rg9-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ankis-cosmosdb-rg9-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/ash-df-gremlin\",\r\n \"name\": \"ash-df-gremlin\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-05T22:20:30.609425Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-df-gremlin.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://ash-df-gremlin.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a95a4c6a-4574-427e-9fe0-f88ce43c9381\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-df-gremlin-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-df-gremlin-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-df-gremlin-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-df-gremlin-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-df-gremlin-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-df-gremlin-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-df-gremlin-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/computev2-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/computev2stagesignoff\",\r\n \"name\": \"computev2stagesignoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-16T23:50:56.1159652Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://computev2stagesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"60c8a2ab-372a-47a1-9735-a9c7d76762c4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"computev2stagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://computev2stagesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"computev2stagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://computev2stagesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"computev2stagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://computev2stagesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"computev2stagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/devansh-stage/providers/Microsoft.DocumentDB/databaseAccounts/conso-purg-attempt2\",\r\n \"name\": \"conso-purg-attempt2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-02-13T06:25:26.8192847Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://conso-purg-attempt2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"226085d1-864a-40fc-87f1-161e96a6aedf\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"conso-purg-attempt2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://conso-purg-attempt2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"conso-purg-attempt2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://conso-purg-attempt2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"conso-purg-attempt2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://conso-purg-attempt2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"conso-purg-attempt2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 167,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/ash-df-sql\",\r\n \"name\": \"ash-df-sql\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-05T22:10:53.6504686Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-df-sql.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"7a1192f3-d04b-496f-8504-23bb677e0aee\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Eventual\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-df-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-df-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-df-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-df-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-df-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-df-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-df-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test/providers/Microsoft.DocumentDB/databaseAccounts/cpuinvestigation\",\r\n \"name\": \"cpuinvestigation\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-04-14T19:32:44.4539346Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cpuinvestigation.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"31287da0-d8f6-427b-ab31-d7c7b32c6554\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cpuinvestigation-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cpuinvestigation-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cpuinvestigation-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cpuinvestigation-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"cpuinvestigation-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cpuinvestigation-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cpuinvestigation-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cpuinvestigation-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"cpuinvestigation-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cpuinvestigation-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cpuinvestigation-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"cpuinvestigation-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sarguptest/providers/Microsoft.DocumentDB/databaseAccounts/cpuinvestigation2\",\r\n \"name\": \"cpuinvestigation2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-14T01:13:01.157676Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cpuinvestigation2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"f41c30f7-ea14-435f-b5e3-a45b96110753\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cpuinvestigation2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cpuinvestigation2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cpuinvestigation2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cpuinvestigation2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cpuinvestigation2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cpuinvestigation2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cpuinvestigation2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/csedev/providers/Microsoft.DocumentDB/databaseAccounts/csestar\",\r\n \"name\": \"csestar\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-08-27T19:52:05.8862647Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://csestar.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://csestar.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"91226e57-6ccd-4d1d-9ada-2e4fe1eca34a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"csestar-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://csestar-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"csestar-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://csestar-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"csestar-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://csestar-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"csestar-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/computev2stagerg/providers/Microsoft.DocumentDB/databaseAccounts/dahorastage\",\r\n \"name\": \"dahorastage\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-01T19:39:23.945106Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://dahorastage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"b71574be-31f4-48da-b8c8-c3cd1cab4dcc\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"dahorastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dahorastage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"dahorastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dahorastage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"dahorastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dahorastage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"dahorastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db1024-restored\",\r\n \"name\": \"db1024-restored\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-14T01:17:35.92886Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://db1024-restored.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c26d3f43-7363-4c54-940a-bde0e96bda72\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"db1024-restored-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db1024-restored-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"db1024-restored-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db1024-restored-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"db1024-restored-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db1024-restored-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"db1024-restored-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/aca7d453-88a9-4bf2-8abc-46d21553638f\",\r\n \"restoreTimestampInUtc\": \"2020-08-14T01:05:13Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934\",\r\n \"name\": \"db9934\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-21T16:06:49.7302308Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://db9934.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"6b94bd1f-70e0-44dc-8bc0-532904a1e36a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"db9934-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db9934-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"db9934-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db9934-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"db9934-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db9934-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"db9934-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/dech-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/dech-stage-notebooks\",\r\n \"name\": \"dech-stage-notebooks\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-04-28T18:13:54.8273652Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://dech-stage-notebooks.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"9d64f239-3b0a-4264-94bb-44de17b39d45\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"dech-stage-notebooks-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dech-stage-notebooks-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"dech-stage-notebooks-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dech-stage-notebooks-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"dech-stage-notebooks-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dech-stage-notebooks-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"dech-stage-notebooks-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/byoktest5\",\r\n \"name\": \"byoktest5\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-01-09T17:39:04.0390882Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://byoktest5.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"2eb7236f-d3d6-4ca4-8fc1-2003862d8206\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"byoktest5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://byoktest5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"byoktest5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://byoktest5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"byoktest5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://byoktest5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"byoktest5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stageeastus2cm1\",\r\n \"name\": \"canary-stageeastus2cm1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-12T22:36:13.7558333Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cm1.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://canary-stageeastus2cm1.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"79c5b5d8-41df-4bba-aec9-43decc1adff2\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2cm1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cm1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2cm1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cm1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stageeastus2cm1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cm1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stageeastus2cm1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stageeastus2fd4\",\r\n \"name\": \"canary-stageeastus2fd4\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-03T19:07:50.4026599Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd4.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"6b9ee587-9b94-4d7a-9acd-f7e42701fc1b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stageeastus2fe1\",\r\n \"name\": \"canary-stageeastus2fe1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-31T06:06:49.1435223Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fe1.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://canary-stageeastus2fe1.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"af1ed8f0-b965-49c7-941c-758f32aef03f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fe1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fe1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fe1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fe1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fe1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fe1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stageeastus2fe1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/dox-staging/providers/Microsoft.DocumentDB/databaseAccounts/dox-stage-table4\",\r\n \"name\": \"dox-stage-table4\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-06-06T23:49:18.9073805Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://dox-stage-table4.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://dox-stage-table4.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"34eed354-a07b-4f22-8687-59627c9eeb14\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"dox-stage-table4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dox-stage-table4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"dox-stage-table4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dox-stage-table4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"dox-stage-table4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dox-stage-table4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"dox-stage-table4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/akgoe-test-rg/providers/Microsoft.DocumentDB/databaseAccounts/dss-framework-dev2\",\r\n \"name\": \"dss-framework-dev2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-02T21:02:11.3339727Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://dss-framework-dev2.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://dss-framework-dev2.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"10715fcd-f0ca-4941-af9d-5dcdeb599977\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"dss-framework-dev2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dss-framework-dev2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"dss-framework-dev2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dss-framework-dev2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"dss-framework-dev2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dss-framework-dev2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"dss-framework-dev2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cv2_stage_eastus2_danguy_rg/providers/Microsoft.DocumentDB/databaseAccounts/en20200515-signoff-core-danguy\",\r\n \"name\": \"en20200515-signoff-core-danguy\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-27T17:17:02.0831479Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://en20200515-signoff-core-danguy.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8020bef5-046c-48d2-a6c0-21bf6fbacef6\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"en20200515-signoff-core-danguy-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://en20200515-signoff-core-danguy-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"en20200515-signoff-core-danguy-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://en20200515-signoff-core-danguy-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"en20200515-signoff-core-danguy-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://en20200515-signoff-core-danguy-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"en20200515-signoff-core-danguy-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/fedtabletest\",\r\n \"name\": \"fedtabletest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-02-21T00:17:37.9555992Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://fedtabletest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1a553612-09f8-430a-b940-1f0276b6701b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"fedtabletest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://fedtabletest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"fedtabletest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://fedtabletest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"fedtabletest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://fedtabletest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"fedtabletest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/akshanka-cassandratestrg/providers/Microsoft.DocumentDB/databaseAccounts/cassandrasignoffeastus2\",\r\n \"name\": \"cassandrasignoffeastus2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-01T15:00:49.817052Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassandrasignoffeastus2.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassandrasignoffeastus2.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"3fa6f47f-5d50-4bc8-84a5-2af9ced2d098\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassandrasignoffeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandrasignoffeastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassandrasignoffeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandrasignoffeastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassandrasignoffeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandrasignoffeastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassandrasignoffeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/flnarenjrg/providers/Microsoft.DocumentDB/databaseAccounts/flnarenj-synstage\",\r\n \"name\": \"flnarenj-synstage\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-13T03:12:58.7424629Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://flnarenj-synstage.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://flnarenj-synstage.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"58e1ba71-b7cc-4a41-80fe-27ec11f62a05\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"flnarenj-synstage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://flnarenj-synstage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"flnarenj-synstage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://flnarenj-synstage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"flnarenj-synstage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://flnarenj-synstage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"flnarenj-synstage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/graphstage3\",\r\n \"name\": \"graphstage3\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Graph\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-11-09T15:33:27.8548964Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://graphstage3.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://graphstage3.gremlin.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"cc3fc002-9392-4077-865c-d6a9907be8c7\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"graphstage3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://graphstage3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"graphstage3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://graphstage3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"graphstage3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://graphstage3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"graphstage3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/cassandratest1016\",\r\n \"name\": \"cassandratest1016\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-16T19:01:11.0295362Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassandratest1016.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassandratest1016.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c661d521-101a-4ad2-ae4e-5306157d657b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassandratest1016-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandratest1016-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassandratest1016-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandratest1016-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassandratest1016-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandratest1016-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassandratest1016-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cassandra-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/cassandratester2\",\r\n \"name\": \"cassandratester2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-04T02:29:16.5753054Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassandratester2.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassandratester2.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"4b557ef1-10c4-48a3-95f5-d11b4840fa75\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassandratester2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandratester2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassandratester2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandratester2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassandratester2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandratester2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassandratester2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ccxstagevalidationrg/providers/Microsoft.DocumentDB/databaseAccounts/ccx-stage-bhba-donotdelete\",\r\n \"name\": \"ccx-stage-bhba-donotdelete\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-17T03:38:39.1048198Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ccx-stage-bhba-donotdelete.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://ccx-stage-bhba-donotdelete.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a20d51f4-b84e-414a-8ee1-f3dcf217fac7\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"small\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ccx-stage-bhba-donotdelete-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ccx-stage-bhba-donotdelete-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ccx-stage-bhba-donotdelete-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ccx-stage-bhba-donotdelete-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ccx-stage-bhba-donotdelete-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ccx-stage-bhba-donotdelete-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ccx-stage-bhba-donotdelete-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-staging-eastus2\",\r\n \"name\": \"gremlin-staging-eastus2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-13T21:23:54.6477533Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-staging-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-staging-eastus2.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"3a38e59e-3f7b-4b00-ade8-770c6caec24b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-staging-eastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gremlin-staging-eastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-staging-eastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gremlin-staging-eastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-staging-eastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gremlin-staging-eastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-staging-eastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-staging-eastus2-v2sdk\",\r\n \"name\": \"gremlin-staging-eastus2-v2sdk\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-13T23:06:50.1914669Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-staging-eastus2-v2sdk.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-staging-eastus2-v2sdk.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"5597fb4e-8b53-42d3-912c-9fb9adadbda4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-staging-eastus2-v2sdk-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gremlin-staging-eastus2-v2sdk-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-staging-eastus2-v2sdk-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gremlin-staging-eastus2-v2sdk-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-staging-eastus2-v2sdk-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gremlin-staging-eastus2-v2sdk-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-staging-eastus2-v2sdk-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-yid5img5ochq6\",\r\n \"name\": \"gremlin-yid5img5ochq6\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-16T01:32:59.8118626Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-yid5img5ochq6.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-yid5img5ochq6.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d551e71a-c1c0-4a73-a5c7-90ac4c2610e9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://gremlin-yid5img5ochq6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://gremlin-yid5img5ochq6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"gremlin-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gremlin-yid5img5ochq6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://gremlin-yid5img5ochq6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"gremlin-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gremlin-yid5img5ochq6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"gremlin-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging-eastus2/providers/Microsoft.DocumentDB/databaseAccounts/gv2-stage-d32-noedgeindex\",\r\n \"name\": \"gv2-stage-d32-noedgeindex\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlinv2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-01T19:57:08.4329052Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gv2-stage-d32-noedgeindex.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gv2-stage-d32-noedgeindex.gremlin.cosmos.windows-ppe.net/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"GremlinV2\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a381073e-e215-4b93-b734-8b1b0c524def\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"clusterInstanceCount\": 1,\r\n \"clusterSize\": \"Cosmos.Gremlin.D32s\"\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gv2-stage-d32-noedgeindex-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gv2-stage-d32-noedgeindex-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gv2-stage-d32-noedgeindex-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gv2-stage-d32-noedgeindex-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gv2-stage-d32-noedgeindex-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gv2-stage-d32-noedgeindex-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gv2-stage-d32-noedgeindex-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlinV2\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/harinic/providers/Microsoft.DocumentDB/databaseAccounts/harinicstagedb\",\r\n \"name\": \"harinicstagedb\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-04T20:24:01.8111446Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://harinicstagedb.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c593b832-da81-4833-b03d-2f75b6cf14e0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"harinicstagedb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://harinicstagedb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"harinicstagedb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://harinicstagedb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"harinicstagedb-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"provisioningState\": \"Creating\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"harinicstagedb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://harinicstagedb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"harinicstagedb-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"provisioningState\": \"Creating\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"harinicstagedb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"harinicstagedb-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/Devansh-Test_env/providers/Microsoft.DocumentDB/databaseAccounts/increse-ese-max-ver-page-count\",\r\n \"name\": \"increse-ese-max-ver-page-count\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-11-08T10:29:28.1609426Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://increse-ese-max-ver-page-count.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1e273e34-2162-4515-a363-3d910c4d0169\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"increse-ese-max-ver-page-count-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://increse-ese-max-ver-page-count-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"increse-ese-max-ver-page-count-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://increse-ese-max-ver-page-count-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"increse-ese-max-ver-page-count-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://increse-ese-max-ver-page-count-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"increse-ese-max-ver-page-count-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/ash-df-table\",\r\n \"name\": \"ash-df-table\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-05T22:36:27.1797033Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-df-table.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://ash-df-table.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"92003eb4-bc95-4ce2-b8a1-80a8b916f405\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-df-table-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-df-table-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-df-table-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-df-table-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-df-table-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-df-table-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-df-table-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/java-sync-multimaster-signoff\",\r\n \"name\": \"java-sync-multimaster-signoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-17T00:26:16.9609946Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://java-sync-multimaster-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"af03bc74-0534-4805-a5f4-5391ea69a391\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 100000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"java-sync-multimaster-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://java-sync-multimaster-signoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"java-sync-multimaster-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-sync-multimaster-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"java-sync-multimaster-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://java-sync-multimaster-signoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"java-sync-multimaster-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-sync-multimaster-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"java-sync-multimaster-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://java-sync-multimaster-signoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"java-sync-multimaster-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-sync-multimaster-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"java-sync-multimaster-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"java-sync-multimaster-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/maquaran/providers/Microsoft.DocumentDB/databaseAccounts/maquaran-merge\",\r\n \"name\": \"maquaran-merge\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-10T21:34:20.7770108Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://maquaran-merge.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"0a2530f2-a5e2-4533-b7c2-e97e801faeb5\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"maquaran-merge-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://maquaran-merge-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"maquaran-merge-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://maquaran-merge-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"maquaran-merge-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://maquaran-merge-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"maquaran-merge-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db-rbac\",\r\n \"name\": \"db-rbac\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-16T20:54:59.6843527Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://db-rbac.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"e15cd0e5-429d-462d-9247-3a2cf6ce72cf\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"db-rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db-rbac-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"db-rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db-rbac-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"db-rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db-rbac-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"db-rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048\",\r\n \"name\": \"db2048\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-21T18:53:17.251839Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://db2048.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://db2048.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"5410e941-71b1-4b61-a3c9-df73dda43401\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"db2048-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db2048-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"db2048-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db2048-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"db2048-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db2048-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"db2048-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/dech-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/dech-nb-stage\",\r\n \"name\": \"dech-nb-stage\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-08T22:32:46.8939349Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://dech-nb-stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"82223c58-f425-43fa-8191-68b6ef12b2d7\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"dech-nb-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dech-nb-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"dech-nb-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dech-nb-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"dech-nb-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dech-nb-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"dech-nb-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/devansh-stage/providers/Microsoft.DocumentDB/databaseAccounts/metric-conso-w-purg\",\r\n \"name\": \"metric-conso-w-purg\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-02-12T05:58:09.9295808Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://metric-conso-w-purg.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a8fe0b2f-3dec-4f79-87d5-930b11dc2c2d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"metric-conso-w-purg-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://metric-conso-w-purg-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"metric-conso-w-purg-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://metric-conso-w-purg-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"metric-conso-w-purg-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://metric-conso-w-purg-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"metric-conso-w-purg-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/devansh-testing-defrag/providers/Microsoft.DocumentDB/databaseAccounts/defrag-for-250\",\r\n \"name\": \"defrag-for-250\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-09T09:26:08.9443222Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://defrag-for-250.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"4158ec95-5bc8-4c4b-a226-fc4c3db3e89e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"defrag-for-250-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://defrag-for-250-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"defrag-for-250-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://defrag-for-250-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"defrag-for-250-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://defrag-for-250-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"defrag-for-250-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/mongodb-yid5img5ochq6\",\r\n \"name\": \"mongodb-yid5img5ochq6\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-16T01:34:21.2194126Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongodb-yid5img5ochq6.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"075600e9-1874-405b-b51b-59f3c9da6b0c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongodb-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongodb-yid5img5ochq6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongodb-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongodb-yid5img5ochq6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongodb-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mongodb-yid5img5ochq6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongodb-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongodb-yid5img5ochq6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongodb-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mongodb-yid5img5ochq6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongodb-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"mongodb-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sivethe/providers/Microsoft.DocumentDB/databaseAccounts/mongoselfserveupgradeto36-stage\",\r\n \"name\": \"mongoselfserveupgradeto36-stage\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-03-10T22:19:13.3414472Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongoselfserveupgradeto36-stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"65fb036a-9e3d-46cb-8816-6455befb23e7\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongoselfserveupgradeto36-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongoselfserveupgradeto36-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongoselfserveupgradeto36-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongoselfserveupgradeto36-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongoselfserveupgradeto36-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongoselfserveupgradeto36-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongoselfserveupgradeto36-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"AllowSelfServeUpgradeToMongo36\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/monohyridrow\",\r\n \"name\": \"monohyridrow\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-02T17:11:36.8710823Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://monohyridrow.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"814ee1e4-3ef3-4ed3-8102-d73b49505b4b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"monohyridrow-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://monohyridrow-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"monohyridrow-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://monohyridrow-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"monohyridrow-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://monohyridrow-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"monohyridrow-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://monohyridrow-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"monohyridrow-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://monohyridrow-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"monohyridrow-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"monohyridrow-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/bwtreetest/providers/Microsoft.DocumentDB/databaseAccounts/nanedevtest\",\r\n \"name\": \"nanedevtest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-04T20:25:55.6165964Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nanedevtest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"63d7c4e8-3564-409d-ab62-1e811ab34fc0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nanedevtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nanedevtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nanedevtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nanedevtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nanedevtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nanedevtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nanedevtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nitesh-resource/providers/Microsoft.DocumentDB/databaseAccounts/nitesh-cri-162282720\",\r\n \"name\": \"nitesh-cri-162282720\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-16T06:25:26.7813786Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nitesh-cri-162282720.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": true,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"2747300a-0184-482f-bfda-900959d63fe7\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nitesh-cri-162282720-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nitesh-cri-162282720-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nitesh-cri-162282720-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nitesh-cri-162282720-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nitesh-cri-162282720-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nitesh-cri-162282720-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nitesh-cri-162282720-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/niupremongo-binary\",\r\n \"name\": \"niupremongo-binary\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-17T18:33:19.4974422Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://niupremongo-binary.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://niupremongo-binary.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"instanceId\": \"09fd3b3a-0243-4869-a86e-0c4f1c5b0611\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"niupremongo-binary-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://niupremongo-binary-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"niupremongo-binary-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://niupremongo-binary-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"niupremongo-binary-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://niupremongo-binary-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"niupremongo-binary-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/masi_rg/providers/Microsoft.DocumentDB/databaseAccounts/en20200424-computev2\",\r\n \"name\": \"en20200424-computev2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-06T19:53:49.7829084Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://en20200424-computev2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c6e61dcb-0c67-458b-9dca-3c56fb282bc8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"en20200424-computev2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://en20200424-computev2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"en20200424-computev2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://en20200424-computev2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"en20200424-computev2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://en20200424-computev2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"en20200424-computev2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/prithvi-stage/providers/Microsoft.DocumentDB/databaseAccounts/oplogtest2\",\r\n \"name\": \"oplogtest2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-11T12:13:54.5405445Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://oplogtest2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"17ec5038-bea0-46a7-bfa1-9ce85ecc1eda\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"oplogtest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://oplogtest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"oplogtest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://oplogtest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"oplogtest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://oplogtest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"oplogtest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/query-benchmark/providers/Microsoft.DocumentDB/databaseAccounts/querybenchmarkstore\",\r\n \"name\": \"querybenchmarkstore\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-15T21:53:13.504654Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://querybenchmarkstore.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"instanceId\": \"a1abda38-5277-4e31-9c05-e5e9b9a2ffeb\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"querybenchmarkstore-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://querybenchmarkstore-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"querybenchmarkstore-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://querybenchmarkstore-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"querybenchmarkstore-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://querybenchmarkstore-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"querybenchmarkstore-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/rakkumastg/providers/Microsoft.DocumentDB/databaseAccounts/rakkumastage\",\r\n \"name\": \"rakkumastage\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-23T11:42:26.7049574Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://rakkumastage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"b3c671fd-5cc6-4ddb-b464-f011c324f7d9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"rakkumastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://rakkumastage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"rakkumastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://rakkumastage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"rakkumastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://rakkumastage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"rakkumastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/flnarenjrg/providers/Microsoft.DocumentDB/databaseAccounts/flnarenj-synstage2\",\r\n \"name\": \"flnarenj-synstage2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-13T23:53:46.2142904Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://flnarenj-synstage2.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://flnarenj-synstage2.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"be717800-dd03-4bc8-9863-866999be2867\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"flnarenj-synstage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://flnarenj-synstage2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"flnarenj-synstage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://flnarenj-synstage2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"flnarenj-synstage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://flnarenj-synstage2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"flnarenj-synstage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ramarag/providers/Microsoft.DocumentDB/databaseAccounts/ramarag\",\r\n \"name\": \"ramarag\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-25T20:56:59.7175445Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ramarag.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8fe02f31-1c62-475c-8c6c-86f5fdaadad1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ramarag-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ramarag-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ramarag-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ramarag-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ramarag-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ramarag-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ramarag-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac\",\r\n \"name\": \"rbac\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-18T21:54:51.8533697Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://rbac.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"4254c568-97a0-4f08-8b54-7fc8bd794635\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://rbac-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://rbac-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://rbac-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vivekrasignoff/providers/Microsoft.DocumentDB/databaseAccounts/cassstagesignoffeastus2\",\r\n \"name\": \"cassstagesignoffeastus2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-25T00:33:37.2822822Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassstagesignoffeastus2.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassstagesignoffeastus2.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1a4301e3-4c45-40df-bf7c-504a1cc018fe\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassstagesignoffeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassstagesignoffeastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassstagesignoffeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassstagesignoffeastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassstagesignoffeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassstagesignoffeastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassstagesignoffeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/akgoe-test-rg/providers/Microsoft.DocumentDB/databaseAccounts/cdb-stage-eastus2-test\",\r\n \"name\": \"cdb-stage-eastus2-test\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-29T05:48:36.1149551Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cdb-stage-eastus2-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c70a0251-7071-4144-aafe-8dc60d23d2ce\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cdb-stage-eastus2-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cdb-stage-eastus2-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cdb-stage-eastus2-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cdb-stage-eastus2-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cdb-stage-eastus2-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cdb-stage-eastus2-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cdb-stage-eastus2-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/sargupanatest1\",\r\n \"name\": \"sargupanatest1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-27T20:30:51.5034916Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sargupanatest1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"fb3a353e-2dcd-4d72-926c-26f373c07689\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sargupanatest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sargupanatest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sargupanatest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sargupanatest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sargupanatest1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sargupanatest1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sargupanatest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sargupanatest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sargupanatest1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sargupanatest1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sargupanatest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"sargupanatest1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-rg-stg-eastus/providers/Microsoft.DocumentDB/databaseAccounts/gremlineastus2test\",\r\n \"name\": \"gremlineastus2test\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Graph\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-11-08T21:44:49.1853709Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlineastus2test.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlineastus2test.gremlin.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"90004d5d-336e-4fb5-85ad-08c4a6ac2c40\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlineastus2test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gremlineastus2test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlineastus2test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gremlineastus2test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlineastus2test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gremlineastus2test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlineastus2test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging-eastus2/providers/Microsoft.DocumentDB/databaseAccounts/gv2-stage-d32-noindex2\",\r\n \"name\": \"gv2-stage-d32-noindex2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlinv2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-02T19:28:29.4449956Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gv2-stage-d32-noindex2.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gv2-stage-d32-noindex2.gremlin.cosmos.windows-ppe.net/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"GremlinV2\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"96876fe7-3e3f-483e-9cf2-ac00e1c9e9be\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"clusterInstanceCount\": 1,\r\n \"clusterSize\": \"Cosmos.Gremlin.D32s\"\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gv2-stage-d32-noindex2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gv2-stage-d32-noindex2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gv2-stage-d32-noindex2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gv2-stage-d32-noindex2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gv2-stage-d32-noindex2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gv2-stage-d32-noindex2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gv2-stage-d32-noindex2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlinV2\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/harinic/providers/Microsoft.DocumentDB/databaseAccounts/harinictest2\",\r\n \"name\": \"harinictest2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-24T02:27:10.441255Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://harinictest2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"63bd6d18-ccda-4907-b7df-39d390fc4c73\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"harinictest2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://harinictest2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"harinictest2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://harinictest2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"harinictest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://harinictest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"harinictest2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://harinictest2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"harinictest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://harinictest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"harinictest2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"harinictest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/java-async-gated\",\r\n \"name\": \"java-async-gated\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-02-21T19:25:30.0509953Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://java-async-gated.sql.cosmos.windows-ppe.net:443/\",\r\n \"sqlEndpoint\": \"https://java-async-gated.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d642aa15-7146-4d20-8ecc-699edf322846\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Strong\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"java-async-gated-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-async-gated-eastus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"java-async-gated-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-async-gated-eastus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"java-async-gated-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-async-gated-eastus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"java-async-gated-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSql\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/ash-gremlin-nb1\",\r\n \"name\": \"ash-gremlin-nb1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-25T23:49:12.8054895Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-gremlin-nb1.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://ash-gremlin-nb1.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"e375c079-c747-48d5-a5cf-c31feadf3d01\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-gremlin-nb1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-gremlin-nb1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-gremlin-nb1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-gremlin-nb1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-gremlin-nb1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-gremlin-nb1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-gremlin-nb1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n },\r\n {\r\n \"name\": \"EnableNotebooks\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/temp/providers/Microsoft.DocumentDB/databaseAccounts/jawilleytest\",\r\n \"name\": \"jawilleytest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-12-11T15:50:14.0771722Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://jawilleytest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"695e5b7a-3079-483d-a777-0b8f80909433\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"jawilleytest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jawilleytest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"jawilleytest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jawilleytest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"jawilleytest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jawilleytest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"jawilleytest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/mekaushiautoscale\",\r\n \"name\": \"mekaushiautoscale\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-16T00:51:28.2318169Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mekaushiautoscale.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"5211b278-90c9-4a02-ade7-3683f29f9455\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mekaushiautoscale-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mekaushiautoscale-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mekaushiautoscale-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mekaushiautoscale-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mekaushiautoscale-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mekaushiautoscale-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mekaushiautoscale-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mekaushiautoscale-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mekaushiautoscale-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mekaushiautoscale-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mekaushiautoscale-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"mekaushiautoscale-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001\",\r\n \"name\": \"db001\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-21T15:57:56.429452Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://db001.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"7b4a9c2b-142f-4d1a-af8d-431a47ca2fc6\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"db001-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db001-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"db001-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db001-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"db001-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db001-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"db001-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096\",\r\n \"name\": \"db4096\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-21T19:00:24.1274508Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://db4096.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://db4096.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1b62c2ca-a7e0-482b-82df-7e0b3293153e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"db4096-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db4096-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"db4096-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db4096-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"db4096-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db4096-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"db4096-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/sdk-signoff-1\",\r\n \"name\": \"sdk-signoff-1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\",\r\n \"CreatedBy\": \"stfaul\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-06-26T21:34:35.0520648Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sdk-signoff-1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"56deb7e7-a99e-46ba-834c-32ecc3275dc6\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Strong\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sdk-signoff-1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sdk-signoff-1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sdk-signoff-1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sdk-signoff-1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sdk-signoff-1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sdk-signoff-1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sdk-signoff-1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/Devansh-Test_env/providers/Microsoft.DocumentDB/databaseAccounts/metric-consolidation\",\r\n \"name\": \"metric-consolidation\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-02-05T06:58:16.6826835Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://metric-consolidation.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"58f74bd5-ca84-4196-869e-40f00ad81595\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"metric-consolidation-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://metric-consolidation-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"metric-consolidation-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://metric-consolidation-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"metric-consolidation-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://metric-consolidation-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"metric-consolidation-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shmotlan/providers/Microsoft.DocumentDB/databaseAccounts/shan-0726-graph\",\r\n \"name\": \"shan-0726-graph\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-26T20:37:17.2181605Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shan-0726-graph.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://shan-0726-graph.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c77c524f-a0bb-4f82-a32b-5ad8a91107c3\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shan-0726-graph-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-graph-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shan-0726-graph-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-graph-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shan-0726-graph-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-graph-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shan-0726-graph-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sargup/providers/Microsoft.DocumentDB/databaseAccounts/deploytestsargup\",\r\n \"name\": \"deploytestsargup\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-24T22:01:36.0865157Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://deploytestsargup.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"92fdc07a-f203-4fe1-8373-166353694912\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"deploytestsargup-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://deploytestsargup-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"deploytestsargup-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://deploytestsargup-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"deploytestsargup-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://deploytestsargup-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"deploytestsargup-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://deploytestsargup-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"deploytestsargup-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://deploytestsargup-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"deploytestsargup-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"deploytestsargup-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi-test-mongo/providers/Microsoft.DocumentDB/databaseAccounts/mongoeastus2\",\r\n \"name\": \"mongoeastus2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-24T22:52:45.5027124Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongoeastus2.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongoeastus2.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c5e610a5-1d06-4f9a-bfe6-9a1095f7aeb3\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongoeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongoeastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongoeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongoeastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongoeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongoeastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongoeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shmotlan/providers/Microsoft.DocumentDB/databaseAccounts/shan-cassandra-0823-signoff-2\",\r\n \"name\": \"shan-cassandra-0823-signoff-2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-08-24T00:07:24.1645804Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shan-cassandra-0823-signoff-2.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://shan-cassandra-0823-signoff-2.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"04f19782-bbab-4fe0-9304-2f125c332c3a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shan-cassandra-0823-signoff-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-cassandra-0823-signoff-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shan-cassandra-0823-signoff-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-cassandra-0823-signoff-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shan-cassandra-0823-signoff-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-cassandra-0823-signoff-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shan-cassandra-0823-signoff-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/metaswitch/providers/Microsoft.DocumentDB/databaseAccounts/mswtest\",\r\n \"name\": \"mswtest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-08-28T06:22:12.3626835Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mswtest.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://mswtest.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8400d15a-2048-41f9-a62f-21c86736fe56\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mswtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mswtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mswtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mswtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mswtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mswtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mswtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nitesh-resource/providers/Microsoft.DocumentDB/databaseAccounts/nidudhey-cass\",\r\n \"name\": \"nidudhey-cass\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-02-28T09:18:09.0429064Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nidudhey-cass.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://nidudhey-cass.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"407e7670-a19e-479c-b7a2-b3fb9d4f87b8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nidudhey-cass-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nidudhey-cass-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nidudhey-cass-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nidudhey-cass-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nidudhey-cass-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nidudhey-cass-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nidudhey-cass-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nidudhey-cass-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nidudhey-cass-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nidudhey-cass-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nidudhey-cass-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"nidudhey-cass-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nitesh-resource/providers/Microsoft.DocumentDB/databaseAccounts/nitesh-replicationrg\",\r\n \"name\": \"nitesh-replicationrg\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-24T12:58:24.9583816Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nitesh-replicationrg.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"e432e360-efa5-46d7-9314-15d04579bc25\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nitesh-replicationrg-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nitesh-replicationrg-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nitesh-replicationrg-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nitesh-replicationrg-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nitesh-replicationrg-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nitesh-replicationrg-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nitesh-replicationrg-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/niupremongo0504\",\r\n \"name\": \"niupremongo0504\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-04T07:55:24.2997416Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://niupremongo0504.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://niupremongo0504.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8f876d2b-b02c-4371-ba07-5495bdc452a0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"niupremongo0504-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://niupremongo0504-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"niupremongo0504-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://niupremongo0504-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"niupremongo0504-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://niupremongo0504-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"niupremongo0504-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shmotlan/providers/Microsoft.DocumentDB/databaseAccounts/shan-sql-0823-signoff\",\r\n \"name\": \"shan-sql-0823-signoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-08-24T00:03:35.4578481Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shan-sql-0823-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1539a26c-a7aa-4501-a7bd-7664ac00d735\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shan-sql-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-sql-0823-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shan-sql-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-sql-0823-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shan-sql-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-sql-0823-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shan-sql-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/QueryOracle/providers/Microsoft.DocumentDB/databaseAccounts/query-push-filters-to-index\",\r\n \"name\": \"query-push-filters-to-index\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-10-29T22:05:34.908529Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://query-push-filters-to-index.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"2dc87f81-3525-47f0-9351-43f2a2d8bf39\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"query-push-filters-to-index-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://query-push-filters-to-index-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"query-push-filters-to-index-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://query-push-filters-to-index-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"query-push-filters-to-index-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://query-push-filters-to-index-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"query-push-filters-to-index-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/masistagesignoff0915/providers/Microsoft.DocumentDB/databaseAccounts/queueburstingtest1\",\r\n \"name\": \"queueburstingtest1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-29T00:48:32.1465276Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://queueburstingtest1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"b201536f-9a28-4003-932e-ebe49c8671b7\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"queueburstingtest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://queueburstingtest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"queueburstingtest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://queueburstingtest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"queueburstingtest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://queueburstingtest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"queueburstingtest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/rakkumastg/providers/Microsoft.DocumentDB/databaseAccounts/rakkumastgsql\",\r\n \"name\": \"rakkumastgsql\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-13T13:44:56.8683454Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://rakkumastgsql.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"instanceId\": \"9afe19a9-96cf-4277-8342-db3213d65aeb\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"rakkumastgsql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://rakkumastgsql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"rakkumastgsql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://rakkumastgsql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"rakkumastgsql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://rakkumastgsql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"rakkumastgsql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/flnarenjrg/providers/Microsoft.DocumentDB/databaseAccounts/flnarenj-synstage4\",\r\n \"name\": \"flnarenj-synstage4\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-19T09:08:27.9319811Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://flnarenj-synstage4.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"341961c3-7571-4843-9dcb-abe818c65505\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"flnarenj-synstage4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://flnarenj-synstage4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"flnarenj-synstage4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://flnarenj-synstage4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"flnarenj-synstage4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://flnarenj-synstage4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"flnarenj-synstage4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/bhavyasplittest-rg/providers/Microsoft.DocumentDB/databaseAccounts/ramaragsplit\",\r\n \"name\": \"ramaragsplit\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-12-17T23:44:29.6548378Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ramaragsplit.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"08518d5a-4444-4f29-bb91-d03b7a799180\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ramaragsplit-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ramaragsplit-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ramaragsplit-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ramaragsplit-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ramaragsplit-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ramaragsplit-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ramaragsplit-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [\r\n {\r\n \"allowedOrigins\": \"*\"\r\n }\r\n ],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/restoredaccountname9746\",\r\n \"name\": \"restoredaccountname9746\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-21T18:55:13.1687844Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://restoredaccountname9746.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d8974ca8-8f69-4924-9040-c10b7f30524b\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"restoredaccountname9746-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname9746-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"restoredaccountname9746-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname9746-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"restoredaccountname9746-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname9746-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"restoredaccountname9746-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/aca7d453-88a9-4bf2-8abc-46d21553638f\",\r\n \"restoreTimestampInUtc\": \"2020-07-21T18:22:33Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/roaror-test/providers/Microsoft.DocumentDB/databaseAccounts/roaror2\",\r\n \"name\": \"roaror2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-28T16:51:16.3920398Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://roaror2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"4e9f9731-357b-4493-9e94-c35f6c6f854a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"roaror2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://roaror2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"roaror2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://roaror2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"roaror2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://roaror2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"roaror2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shqintest/providers/Microsoft.DocumentDB/databaseAccounts/shqintestcassandrastage\",\r\n \"name\": \"shqintestcassandrastage\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-08T22:42:48.819926Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shqintestcassandrastage.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://shqintestcassandrastage.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"b61809f6-8dab-4049-afc0-b1736cdad905\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shqintestcassandrastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shqintestcassandrastage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shqintestcassandrastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shqintestcassandrastage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shqintestcassandrastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shqintestcassandrastage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shqintestcassandrastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/sargupparalleltest\",\r\n \"name\": \"sargupparalleltest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-24T22:49:13.4965052Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sargupparalleltest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"0bf3a922-f991-4ff4-8cb3-529982d1cf43\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sargupparalleltest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sargupparalleltest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sargupparalleltest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sargupparalleltest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sargupparalleltest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sargupparalleltest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sargupparalleltest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/akash-cassandra-northcentralus-resource/providers/Microsoft.DocumentDB/databaseAccounts/harsudantest3\",\r\n \"name\": \"harsudantest3\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-21T01:44:21.9612909Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://harsudantest3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d0d5a759-3287-4c8a-92b2-3712e218013c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"harsudantest3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://harsudantest3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"harsudantest3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://harsudantest3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"harsudantest3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://harsudantest3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"harsudantest3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://harsudantest3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"harsudantest3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://harsudantest3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"harsudantest3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"harsudantest3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shtan-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/shtantestbackuphold\",\r\n \"name\": \"shtantestbackuphold\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-21T10:42:15.454682Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shtantestbackuphold.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"de8ef355-27ec-498d-bc5d-c90fccfae995\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shtantestbackuphold-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shtantestbackuphold-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shtantestbackuphold-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shtantestbackuphold-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shtantestbackuphold-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shtantestbackuphold-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shtantestbackuphold-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 120,\r\n \"backupRetentionIntervalInHours\": 9,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ragil/providers/Microsoft.DocumentDB/databaseAccounts/sql-pxf3ijdttumy4\",\r\n \"name\": \"sql-pxf3ijdttumy4\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-04-14T00:30:31.5476426Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sql-pxf3ijdttumy4.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"24ab0882-6575-45b8-b6b0-7e9764d668fd\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sql-pxf3ijdttumy4-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sql-pxf3ijdttumy4-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sql-pxf3ijdttumy4-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sql-pxf3ijdttumy4-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sql-pxf3ijdttumy4-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sql-pxf3ijdttumy4-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sql-pxf3ijdttumy4-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/java-async-multimaster-signoff\",\r\n \"name\": \"java-async-multimaster-signoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-12-19T22:17:23.3548774Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"2093368d-1a1c-45b3-a5c0-11f7e7306bb0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"java-async-multimaster-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"java-async-multimaster-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"java-async-multimaster-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"java-async-multimaster-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"java-async-multimaster-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"java-async-multimaster-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"java-async-multimaster-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"java-async-multimaster-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 2\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/mekaushimongomigrate\",\r\n \"name\": \"mekaushimongomigrate\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-12T21:48:52.5867438Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mekaushimongomigrate.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mekaushimongomigrate.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"instanceId\": \"0e47abda-b44a-4251-a29c-46114b96285a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mekaushimongomigrate-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mekaushimongomigrate-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mekaushimongomigrate-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mekaushimongomigrate-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mekaushimongomigrate-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mekaushimongomigrate-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mekaushimongomigrate-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192\",\r\n \"name\": \"db8192\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-21T19:17:46.4039586Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://db8192.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://db8192.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"cc0bf75f-77f4-4742-a2ed-2673367c60cb\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"db8192-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db8192-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"db8192-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db8192-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"db8192-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db8192-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"db8192-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db1024\",\r\n \"name\": \"db1024\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-21T18:19:36.6085112Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://db1024.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"aca7d453-88a9-4bf2-8abc-46d21553638f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"db1024-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db1024-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"db1024-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db1024-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"db1024-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db1024-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"db1024-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/devansh-stage/providers/Microsoft.DocumentDB/databaseAccounts/metric-non-conso-w-purge\",\r\n \"name\": \"metric-non-conso-w-purge\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-02-12T08:06:10.5282339Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://metric-non-conso-w-purge.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"f6755f78-6ebf-4a20-8422-881d26f333a8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"metric-non-conso-w-purge-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://metric-non-conso-w-purge-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"metric-non-conso-w-purge-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://metric-non-conso-w-purge-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"metric-non-conso-w-purge-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://metric-non-conso-w-purge-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"metric-non-conso-w-purge-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/sdk-signoff-2\",\r\n \"name\": \"sdk-signoff-2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-06-26T21:37:15.6859442Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sdk-signoff-2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"0daad281-b626-42d0-b0b0-8f389f3a2dd2\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Strong\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sdk-signoff-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sdk-signoff-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sdk-signoff-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sdk-signoff-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sdk-signoff-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sdk-signoff-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sdk-signoff-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sargup/providers/Microsoft.DocumentDB/databaseAccounts/deploytestsargup-restored1108\",\r\n \"name\": \"deploytestsargup-restored1108\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"restoredSourceDatabaseAccountName\": \"deploytestsargup\",\r\n \"restoredAtTimestamp\": \"11/8/2019 10:52:44 PM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-11-08T23:03:20.0550847Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://deploytestsargup-restored1108.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"98a90cd7-a5b2-4d70-9595-73963cb9a468\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"deploytestsargup-restored1108-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://deploytestsargup-restored1108-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"deploytestsargup-restored1108-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://deploytestsargup-restored1108-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"deploytestsargup-restored1108-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://deploytestsargup-restored1108-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"deploytestsargup-restored1108-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shmotlan/providers/Microsoft.DocumentDB/databaseAccounts/shan-0726-mongo\",\r\n \"name\": \"shan-0726-mongo\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-26T20:34:21.1059192Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shan-0726-mongo.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"b03d1acb-fd02-4e24-a6d1-a6c5c0a312b9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shan-0726-mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-mongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shan-0726-mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-mongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shan-0726-mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-mongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shan-0726-mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shan/providers/Microsoft.DocumentDB/databaseAccounts/shan-cassandra-staging\",\r\n \"name\": \"shan-cassandra-staging\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-11T19:57:46.884473Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shan-cassandra-staging.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://shan-cassandra-staging.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"instanceId\": \"7f26ea69-e512-4c45-834f-a2c719b06b9d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shan-cassandra-staging-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-cassandra-staging-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shan-cassandra-staging-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-cassandra-staging-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shan-cassandra-staging-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-cassandra-staging-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shan-cassandra-staging-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [\r\n {\r\n \"allowedOrigins\": \"*\"\r\n }\r\n ],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/computev2stagerg/providers/Microsoft.DocumentDB/databaseAccounts/stagecomputev2db\",\r\n \"name\": \"stagecomputev2db\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-03-02T20:45:44.4896421Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stagecomputev2db.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"ab476b3b-8c9a-40ab-95cd-2f91f2566a82\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stagecomputev2db-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stagecomputev2db-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stagecomputev2db-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stagecomputev2db-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stagecomputev2db-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stagecomputev2db-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stagecomputev2db-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nichatur/providers/Microsoft.DocumentDB/databaseAccounts/nihctaur-rbac\",\r\n \"name\": \"nihctaur-rbac\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"Owner\": \"nichatur\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-02T00:21:32.8962997Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nihctaur-rbac.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d26c1a58-4dc4-4be2-9480-1539d4881c32\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nihctaur-rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nihctaur-rbac-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nihctaur-rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nihctaur-rbac-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nihctaur-rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nihctaur-rbac-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nihctaur-rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"104.42.195.92\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"40.76.54.131\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.176.6.30\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.169.50.45\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.187.184.26\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/niupremongo\",\r\n \"name\": \"niupremongo\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-01T22:34:09.7809699Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://niupremongo.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://niupremongo.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"57954b69-7623-4abf-bd0e-c68093d01158\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"niupremongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://niupremongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"niupremongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://niupremongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"niupremongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://niupremongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"niupremongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ramarag/providers/Microsoft.DocumentDB/databaseAccounts/stagenotebook\",\r\n \"name\": \"stagenotebook\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-06T23:58:05.0813897Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stagenotebook.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"0f49adfc-7109-41e2-b141-28759b2bfe0f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stagenotebook-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stagenotebook-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stagenotebook-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stagenotebook-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stagenotebook-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stagenotebook-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stagenotebook-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shan/providers/Microsoft.DocumentDB/databaseAccounts/shan-stage-sql\",\r\n \"name\": \"shan-stage-sql\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-04-28T22:46:53.8467651Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shan-stage-sql.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"14605a70-8cc5-465f-b5d1-f31dce6dc7d3\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shan-stage-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-stage-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shan-stage-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-stage-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shan-stage-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-stage-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shan-stage-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sukans/providers/Microsoft.DocumentDB/databaseAccounts/sukans-noownerid2\",\r\n \"name\": \"sukans-noownerid2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-04-13T03:35:33.6371883Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sukans-noownerid2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"b159c550-afa1-4280-951f-1786695c9531\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sukans-noownerid2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sukans-noownerid2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sukans-noownerid2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sukans-noownerid2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sukans-noownerid2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sukans-noownerid2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sukans-noownerid2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/akgoe-test-rg/providers/Microsoft.DocumentDB/databaseAccounts/svless-akgoe-loadtest\",\r\n \"name\": \"svless-akgoe-loadtest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-11T00:20:04.6458198Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://svless-akgoe-loadtest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"bdd6badb-8888-48ef-9a5f-85a1c3f468b1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"svless-akgoe-loadtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://svless-akgoe-loadtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"svless-akgoe-loadtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://svless-akgoe-loadtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"svless-akgoe-loadtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://svless-akgoe-loadtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"svless-akgoe-loadtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableServerless\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/flnarenjrg/providers/Microsoft.DocumentDB/databaseAccounts/flnarenj-synstg\",\r\n \"name\": \"flnarenj-synstg\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-13T03:10:52.9843818Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://flnarenj-synstg.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"166aa099-e587-44d5-acdf-1fd5cce4bd6f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"flnarenj-synstg-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://flnarenj-synstg-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"flnarenj-synstg-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://flnarenj-synstg-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"flnarenj-synstg-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://flnarenj-synstg-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"flnarenj-synstg-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ramarag/providers/Microsoft.DocumentDB/databaseAccounts/ramaragtest\",\r\n \"name\": \"ramaragtest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-07T01:44:15.0714222Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ramaragtest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"81c1c70c-0f23-4c74-aa9a-32c5fbbf7949\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ramaragtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ramaragtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ramaragtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ramaragtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ramaragtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ramaragtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ramaragtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sahurd/providers/Microsoft.DocumentDB/databaseAccounts/sahurd-add\",\r\n \"name\": \"sahurd-add\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-20T23:50:06.809231Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sahurd-add.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"bc07ccb2-e90c-46a7-9e6b-ce5461455a4c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sahurd-add-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sahurd-add-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sahurd-add-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sahurd-add-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sahurd-add-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sahurd-add-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sahurd-add-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sahurd-add-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sahurd-add-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sahurd-add-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sahurd-add-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"sahurd-add-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shreystagetest/providers/Microsoft.DocumentDB/databaseAccounts/shreyeast\",\r\n \"name\": \"shreyeast\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-26T19:01:55.5386899Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shreyeast.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"b80fbcbf-b8a8-44f5-84c4-408669f2c8f3\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shreyeast-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreyeast-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shreyeast-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreyeast-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shreyeast-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreyeast-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shreyeast-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/sarguptestdup\",\r\n \"name\": \"sarguptestdup\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-24T18:14:24.8352176Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sarguptestdup.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"7c2df87b-f0dd-464f-b0d6-00e1a1626bc6\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sarguptestdup-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sarguptestdup-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sarguptestdup-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sarguptestdup-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sarguptestdup-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://sarguptestdup-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sarguptestdup-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sarguptestdup-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sarguptestdup-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://sarguptestdup-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sarguptestdup-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"sarguptestdup-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 5,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/swvya/providers/Microsoft.DocumentDB/databaseAccounts/swvyatestaccount\",\r\n \"name\": \"swvyatestaccount\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-08T02:09:48.1049122Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://swvyatestaccount.sql.cosmos.windows-ppe.net:443/\",\r\n \"sqlEndpoint\": \"https://swvyatestaccount.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1a9dcc76-83e4-438a-a28f-59715e755f4e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"swvyatestaccount-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://swvyatestaccount-eastus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"swvyatestaccount-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://swvyatestaccount-eastus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"swvyatestaccount-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://swvyatestaccount-eastus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"swvyatestaccount-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSql\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shtan-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/shtantestbackuphold-r1\",\r\n \"name\": \"shtantestbackuphold-r1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\",\r\n \"restoredSourceDatabaseAccountName\": \"shtantestbackuphold\",\r\n \"restoredAtTimestamp\": \"8/21/2020 4:22:32 PM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-21T16:28:47.888126Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shtantestbackuphold-r1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"3f41e8de-31f3-4048-b6b7-ef06c0cc9c71\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shtantestbackuphold-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shtantestbackuphold-r1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shtantestbackuphold-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shtantestbackuphold-r1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shtantestbackuphold-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shtantestbackuphold-r1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shtantestbackuphold-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations//restorableDatabaseAccounts/\",\r\n \"restoreTimestampInUtc\": \"2020-08-21T16:22:25Z\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/java-async-multimaster-signoff-2\",\r\n \"name\": \"java-async-multimaster-signoff-2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-27T00:37:01.9141202Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"0e85eb36-3428-4e0f-a381-b236d310408b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"java-async-multimaster-signoff-2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"java-async-multimaster-signoff-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"java-async-multimaster-signoff-2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"java-async-multimaster-signoff-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"java-async-multimaster-signoff-2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"java-async-multimaster-signoff-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"java-async-multimaster-signoff-2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"java-async-multimaster-signoff-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/srnara-signoff/providers/Microsoft.DocumentDB/databaseAccounts/srnara-signoff\",\r\n \"name\": \"srnara-signoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-24T21:18:49.2688221Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://srnara-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c47fbbe5-0ad5-441b-8d83-3c110cf6d38d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"ConsistentPrefix\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"srnara-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://srnara-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"srnara-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://srnara-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"srnara-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://srnara-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"srnara-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/table-yid5img5ochq6\",\r\n \"name\": \"table-yid5img5ochq6\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-16T01:36:14.9005044Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://table-yid5img5ochq6.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://table-yid5img5ochq6.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"3d7ea172-3b18-4dd2-bb15-a32b0f446d1b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"table-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://table-yid5img5ochq6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"table-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://table-yid5img5ochq6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"table-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://table-yid5img5ochq6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"table-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://table-yid5img5ochq6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"table-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://table-yid5img5ochq6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"table-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"table-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/tamitta/providers/Microsoft.DocumentDB/databaseAccounts/tamitta-stage-mongo-36\",\r\n \"name\": \"tamitta-stage-mongo-36\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-24T18:10:52.2983364Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tamitta-stage-mongo-36.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://tamitta-stage-mongo-36.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"635d469b-0dfa-49d6-bd0f-c77969134ac1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tamitta-stage-mongo-36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tamitta-stage-mongo-36-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tamitta-stage-mongo-36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tamitta-stage-mongo-36-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tamitta-stage-mongo-36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tamitta-stage-mongo-36-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tamitta-stage-mongo-36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/test-table-df\",\r\n \"name\": \"test-table-df\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-06-07T00:35:59.9666094Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-table-df.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://test-table-df.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a8ee5685-175e-47c6-89ba-e0f1fa5b2ce8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-table-df-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test-table-df-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-table-df-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test-table-df-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-table-df-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test-table-df-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-table-df-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/sdk-signoff-3\",\r\n \"name\": \"sdk-signoff-3\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-11-09T03:54:04.1095174Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sdk-signoff-3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"b17b8cfe-0aef-46ab-8803-b0ca14e33c5a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Strong\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sdk-signoff-3-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sdk-signoff-3-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sdk-signoff-3-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sdk-signoff-3-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sdk-signoff-3-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sdk-signoff-3-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sdk-signoff-3-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/mohybridrow\",\r\n \"name\": \"mohybridrow\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-01T17:27:04.1532322Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mohybridrow.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"3b985a3b-924e-4549-b67f-86016e527943\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mohybridrow-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mohybridrow-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mohybridrow-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mohybridrow-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mohybridrow-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mohybridrow-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mohybridrow-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shmotlan/providers/Microsoft.DocumentDB/databaseAccounts/shan-0726-sql\",\r\n \"name\": \"shan-0726-sql\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-26T20:33:35.3418069Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shan-0726-sql.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1f87ac1e-09cc-4c40-a036-a0382b64b834\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shan-0726-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shan-0726-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shan-0726-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shan-0726-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [\r\n {\r\n \"allowedOrigins\": \"https://localhost\"\r\n }\r\n ],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testazsharath/providers/Microsoft.DocumentDB/databaseAccounts/testaz430\",\r\n \"name\": \"testaz430\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-04-30T22:23:00.435721Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testaz430.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"58128aa2-1b70-4196-8a09-d28f0ff1455a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testaz430-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testaz430-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testaz430-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testaz430-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testaz430-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testaz430-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testaz430-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shmotlan/providers/Microsoft.DocumentDB/databaseAccounts/shan-graph-0823-signoff\",\r\n \"name\": \"shan-graph-0823-signoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-08-24T00:07:20.7266733Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shan-graph-0823-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://shan-graph-0823-signoff.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"ed1f0782-a5ff-48c4-93b1-547f20b0dec8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shan-graph-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-graph-0823-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shan-graph-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-graph-0823-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shan-graph-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-graph-0823-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shan-graph-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nitesh-resource/providers/Microsoft.DocumentDB/databaseAccounts/nitesh-408\",\r\n \"name\": \"nitesh-408\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-02-28T09:47:48.7887582Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nitesh-408.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"917bc598-0994-4fb6-839e-b94ac49c3b3f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nitesh-408-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nitesh-408-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nitesh-408-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nitesh-408-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nitesh-408-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nitesh-408-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nitesh-408-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/computev2stagerg/providers/Microsoft.DocumentDB/databaseAccounts/stagecomputev2dbtestop\",\r\n \"name\": \"stagecomputev2dbtestop\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-03-03T23:10:09.1509165Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stagecomputev2dbtestop.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"f4d464d2-912f-4bdd-859f-932bc8599706\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stagecomputev2dbtestop-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stagecomputev2dbtestop-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stagecomputev2dbtestop-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stagecomputev2dbtestop-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stagecomputev2dbtestop-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stagecomputev2dbtestop-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stagecomputev2dbtestop-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sargup/providers/Microsoft.DocumentDB/databaseAccounts/testazeus\",\r\n \"name\": \"testazeus\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-11-07T18:19:12.3222597Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testazeus.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8c804e81-41c9-4065-96d7-1c9ea2223cd9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testazeus-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testazeus-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testazeus-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testazeus-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testazeus-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testazeus-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testazeus-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test2/providers/Microsoft.DocumentDB/databaseAccounts/testps1\",\r\n \"name\": \"testps1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-06-26T04:15:27.7406505Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testps1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"3b69fbb4-3621-437f-83e9-8d503c1bd65f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testps1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testps1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testps1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testps1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testps1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testps1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testps1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/supattip_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/supattip-stage\",\r\n \"name\": \"supattip-stage\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-03-05T00:21:05.1429461Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://supattip-stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"bd3cd2c8-fd72-428b-910d-4aac1bbe47da\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"supattip-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://supattip-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"supattip-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://supattip-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"supattip-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://supattip-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"supattip-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shmotlan/providers/Microsoft.DocumentDB/databaseAccounts/shan-table-0823-signoff\",\r\n \"name\": \"shan-table-0823-signoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-08-24T00:06:44.1519716Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shan-table-0823-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://shan-table-0823-signoff.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"9a090f1e-ff8e-48df-a322-f2ec18bbff47\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shan-table-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-table-0823-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shan-table-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-table-0823-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shan-table-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-table-0823-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shan-table-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test-rg/providers/Microsoft.DocumentDB/databaseAccounts/testsanalytics\",\r\n \"name\": \"testsanalytics\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-14T21:39:30.589338Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testsanalytics.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"6adf7139-5e0f-4396-b03d-ea81acfc9280\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testsanalytics-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsanalytics-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testsanalytics-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsanalytics-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testsanalytics-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testsanalytics-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testsanalytics-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsanalytics-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testsanalytics-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testsanalytics-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testsanalytics-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"testsanalytics-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 30,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testshbyok/providers/Microsoft.DocumentDB/databaseAccounts/testshbyokstg90\",\r\n \"name\": \"testshbyokstg90\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-04T00:29:16.8493171Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshbyokstg90.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"3ba2b178-2aa6-4c16-a663-a597c14e7267\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"keyVaultKeyUri\": \"https://testshkv3.vault.azure.net/keys/key2\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshbyokstg90-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshbyokstg90-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshbyokstg90-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshbyokstg90-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshbyokstg90-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshbyokstg90-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshbyokstg90-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shreshts/providers/Microsoft.DocumentDB/databaseAccounts/swvyastage\",\r\n \"name\": \"swvyastage\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-04-13T20:12:14.0505656Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://swvyastage.documents-staging.windows-ppe.net:443/\",\r\n \"sqlEndpoint\": \"https://swvyastage.sql.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"f0ea9975-285f-4ad9-8fc8-5e22495e65a0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"swvyastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://swvyastage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"swvyastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://swvyastage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"swvyastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://swvyastage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"swvyastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSql\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test2/providers/Microsoft.DocumentDB/databaseAccounts/testshgen\",\r\n \"name\": \"testshgen\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-02T22:28:27.8284219Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshgen.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"ca9b9214-23fe-4f35-b794-df849f0d1620\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshgen-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshgen-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshgen-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshgen-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshgen-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshgen-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshgen-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/backup-restore/providers/Microsoft.DocumentDB/databaseAccounts/shtan-backup-hold2\",\r\n \"name\": \"shtan-backup-hold2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"restoredSourceDatabaseAccountName\": \"stage-validation-source\",\r\n \"restoredAtTimestamp\": \"8/21/2020 2:45:27 AM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-21T03:01:31.9431834Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shtan-backup-hold2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"7e3c9c1f-07f7-4912-a390-ceeecb100ccf\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shtan-backup-hold2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shtan-backup-hold2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shtan-backup-hold2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shtan-backup-hold2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shtan-backup-hold2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shtan-backup-hold2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shtan-backup-hold2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations//restorableDatabaseAccounts/\",\r\n \"restoreTimestampInUtc\": \"2020-08-21T02:45:16Z\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/sdk-replication-test\",\r\n \"name\": \"sdk-replication-test\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-07-05T20:29:31.4612005Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sdk-replication-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"190b08bf-f254-47bc-a694-508a760db9bc\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Strong\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sdk-replication-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sdk-replication-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sdk-replication-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sdk-replication-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sdk-replication-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sdk-replication-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sdk-replication-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/swvya/providers/Microsoft.DocumentDB/databaseAccounts/swvyateststagemigrate\",\r\n \"name\": \"swvyateststagemigrate\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-02-20T19:12:51.4661648Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://swvyateststagemigrate.sql.cosmos.windows-ppe.net:443/\",\r\n \"sqlEndpoint\": \"https://swvyateststagemigrate.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a359c614-726e-4935-9e9f-6f8e830a6b1b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"swvyateststagemigrate-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://swvyateststagemigrate-eastus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"swvyateststagemigrate-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://swvyateststagemigrate-eastus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"swvyateststagemigrate-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://swvyateststagemigrate-eastus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"swvyateststagemigrate-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"EnableSql\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/shthekkatestacc1\",\r\n \"name\": \"shthekkatestacc1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-16T19:35:59.1935283Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shthekkatestacc1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"instanceId\": \"64abdab4-b87c-4989-8fff-4c1c6d8ba31e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shthekkatestacc1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shthekkatestacc1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"shthekkatestacc1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shthekkatestacc1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"shthekkatestacc1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shthekkatestacc1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"shthekkatestacc1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/java-async-signoff\",\r\n \"name\": \"java-async-signoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-12-19T22:18:34.793944Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://java-async-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"849ff8e0-a55c-4a24-a8e0-d4d1f6ab9d27\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Strong\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"java-async-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-async-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"java-async-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-async-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"java-async-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-async-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"java-async-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/srpalive-cassandra-rg/providers/Microsoft.DocumentDB/databaseAccounts/srpalive-stage-cassandra\",\r\n \"name\": \"srpalive-stage-cassandra\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-14T19:17:24.9383024Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://srpalive-stage-cassandra.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://srpalive-stage-cassandra.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"35e82c7b-0f83-4e77-bf8e-d4f7c91cfbe6\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"srpalive-stage-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://srpalive-stage-cassandra-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"srpalive-stage-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://srpalive-stage-cassandra-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"srpalive-stage-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://srpalive-stage-cassandra-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"srpalive-stage-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/roaror-test/providers/Microsoft.DocumentDB/databaseAccounts/stage-signoff-cv2\",\r\n \"name\": \"stage-signoff-cv2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-25T21:51:56.6359245Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stage-signoff-cv2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"7245fa3d-08d2-4951-9c3a-f9cb1e788311\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stage-signoff-cv2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-signoff-cv2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stage-signoff-cv2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-signoff-cv2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stage-signoff-cv2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-signoff-cv2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stage-signoff-cv2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/backup-restore/providers/Microsoft.DocumentDB/databaseAccounts/stage-pitr-validation-source\",\r\n \"name\": \"stage-pitr-validation-source\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-13T23:51:15.7044411Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a54115d5-4356-4771-b7b0-20f475ce5a38\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stage-pitr-validation-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stage-pitr-validation-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"stage-pitr-validation-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"stage-pitr-validation-source-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stage-pitr-validation-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"stage-pitr-validation-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"stage-pitr-validation-source-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stage-pitr-validation-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"stage-pitr-validation-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n },\r\n {\r\n \"id\": \"stage-pitr-validation-source-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 2\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai-test/providers/Microsoft.DocumentDB/databaseAccounts/test-virangai-cont123\",\r\n \"name\": \"test-virangai-cont123\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-05T20:32:26.996202Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-virangai-cont123.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"bb3e3c48-18d8-46e8-b294-41d9406885c5\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-virangai-cont123-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-cont123-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-virangai-cont123-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-cont123-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-virangai-cont123-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-cont123-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-virangai-cont123-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/17783e6d-0e28-41e2-b086-9d17763f1d51\",\r\n \"restoreTimestampInUtc\": \"2020-08-05T20:17:47.66Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/sdk-signoff-4\",\r\n \"name\": \"sdk-signoff-4\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-26T21:27:51.8781208Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sdk-signoff-4.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c088144f-eb9c-496a-91ae-36ac38c5c7f1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Strong\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sdk-signoff-4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sdk-signoff-4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sdk-signoff-4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sdk-signoff-4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sdk-signoff-4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sdk-signoff-4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sdk-signoff-4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testshbyok/providers/Microsoft.DocumentDB/databaseAccounts/testslestg1\",\r\n \"name\": \"testslestg1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-07T06:24:58.3661081Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testslestg1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"59539dd3-084c-49e7-99a7-69ef9d70249c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testslestg1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testslestg1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testslestg1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testslestg1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testslestg1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testslestg1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testslestg1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableServerless\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shmotlan/providers/Microsoft.DocumentDB/databaseAccounts/shan-0726-table\",\r\n \"name\": \"shan-0726-table\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-26T20:36:43.7104962Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shan-0726-table.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://shan-0726-table.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"59ddffb8-6900-47e7-bd37-664aa84ee92a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shan-0726-table-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-table-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shan-0726-table-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-table-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shan-0726-table-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-table-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shan-0726-table-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shmotlan/providers/Microsoft.DocumentDB/databaseAccounts/shan-mongo-0823-signoff\",\r\n \"name\": \"shan-mongo-0823-signoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-08-24T00:04:42.9422316Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shan-mongo-0823-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://shan-mongo-0823-signoff.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"70980066-47c7-43ba-8343-a1e645417dc1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shan-mongo-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-mongo-0823-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shan-mongo-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-mongo-0823-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shan-mongo-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-mongo-0823-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shan-mongo-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/tpcdsmongo/providers/Microsoft.DocumentDB/databaseAccounts/tpcdsbenchmark\",\r\n \"name\": \"tpcdsbenchmark\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-16T22:23:23.5848066Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tpcdsbenchmark.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://tpcdsbenchmark.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"instanceId\": \"c06b7af8-c274-4642-a329-192c864422e1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tpcdsbenchmark-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tpcdsbenchmark-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tpcdsbenchmark-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tpcdsbenchmark-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tpcdsbenchmark-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tpcdsbenchmark-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tpcdsbenchmark-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vimeng-rg/providers/Microsoft.DocumentDB/databaseAccounts/vimeng-stage-cass-nb\",\r\n \"name\": \"vimeng-stage-cass-nb\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-03-05T00:19:21.5373582Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vimeng-stage-cass-nb.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://vimeng-stage-cass-nb.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"ef4bbb82-0eff-4861-bfe6-ab61688257d2\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vimeng-stage-cass-nb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vimeng-stage-cass-nb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vimeng-stage-cass-nb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vimeng-stage-cass-nb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vimeng-stage-cass-nb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vimeng-stage-cass-nb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vimeng-stage-cass-nb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test-rg/providers/Microsoft.DocumentDB/databaseAccounts/testkeksh1014\",\r\n \"name\": \"testkeksh1014\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-14T22:57:10.7535281Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testkeksh1014.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1a0617f8-e4aa-4202-856f-7a3742de2fde\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testkeksh1014-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testkeksh1014-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testkeksh1014-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testkeksh1014-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testkeksh1014-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testkeksh1014-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testkeksh1014-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 30,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vivekrastage/providers/Microsoft.DocumentDB/databaseAccounts/vivekrastagesignoffeu2\",\r\n \"name\": \"vivekrastagesignoffeu2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-01-28T19:55:21.6550449Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vivekrastagesignoffeu2.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://vivekrastagesignoffeu2.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c8629ee6-86f5-49f3-a222-b6c6622be2d5\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vivekrastagesignoffeu2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vivekrastagesignoffeu2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vivekrastagesignoffeu2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vivekrastagesignoffeu2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vivekrastagesignoffeu2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vivekrastagesignoffeu2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vivekrastagesignoffeu2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/rg-20190523t2055476364/providers/Microsoft.DocumentDB/databaseAccounts/sv-20190523t2055476364-restored1\",\r\n \"name\": \"sv-20190523t2055476364-restored1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"restoredSourceDatabaseAccountName\": \"sv-20190523t2055476364\",\r\n \"restoredAtTimestamp\": \"5/24/2019 4:34:37 AM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-05-24T05:00:26.8477667Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sv-20190523t2055476364-restored1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"51d0487f-3e77-40c4-9a8c-341b1049c243\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sv-20190523t2055476364-restored1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sv-20190523t2055476364-restored1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sv-20190523t2055476364-restored1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sv-20190523t2055476364-restored1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sv-20190523t2055476364-restored1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sv-20190523t2055476364-restored1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sv-20190523t2055476364-restored1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 5,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test-rg/providers/Microsoft.DocumentDB/databaseAccounts/testsanalytics1018\",\r\n \"name\": \"testsanalytics1018\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-19T00:06:26.5707715Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testsanalytics1018.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"68561ebe-3527-4cd6-991d-ce3e4c72abd9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testsanalytics1018-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsanalytics1018-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testsanalytics1018-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsanalytics1018-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testsanalytics1018-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testsanalytics1018-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testsanalytics1018-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsanalytics1018-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testsanalytics1018-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testsanalytics1018-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testsanalytics1018-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"testsanalytics1018-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 30,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test2/providers/Microsoft.DocumentDB/databaseAccounts/testshmongo1\",\r\n \"name\": \"testshmongo1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-02T22:18:56.4985682Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshmongo1.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://testshmongo1.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"ce82def7-d23d-4d8a-b4f0-e14955eca281\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshmongo1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshmongo1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshmongo1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshmongo1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshmongo1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshmongo1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshmongo1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shan/providers/Microsoft.DocumentDB/databaseAccounts/stage-test-0408\",\r\n \"name\": \"stage-test-0408\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"$type\": \"Microsoft.WindowsAzure.Management.Common.Storage.CasePreservedDictionary, Microsoft.WindowsAzure.Management.Common.Storage\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-04-08T20:42:00.525745Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stage-test-0408.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c3e831f3-fa1e-4634-99c1-8e04ae92a998\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stage-test-0408-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-test-0408-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stage-test-0408-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-test-0408-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stage-test-0408-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-test-0408-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stage-test-0408-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testshbyok/providers/Microsoft.DocumentDB/databaseAccounts/testshref4\",\r\n \"name\": \"testshref4\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-14T02:01:53.1320728Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshref4.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c2521bc1-b5e6-4dd4-9a6d-645694b94b47\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"keyVaultKeyUri\": \"https://testshtest1.vault.azure.net/keys/key2\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshref4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshref4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshref4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshref4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshref4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshref4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshref4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testshbyok/providers/Microsoft.DocumentDB/databaseAccounts/testshstgbyok15\",\r\n \"name\": \"testshstgbyok15\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-03T21:20:25.7881457Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshstgbyok15.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"e56d849a-d674-4bf2-9bab-21dfaee94990\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"keyVaultKeyUri\": \"https://testshkv3.vault.azure.net/keys/key2\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshstgbyok15-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshstgbyok15-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshstgbyok15-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshstgbyok15-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshstgbyok15-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshstgbyok15-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshstgbyok15-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test1/providers/Microsoft.DocumentDB/databaseAccounts/test897\",\r\n \"name\": \"test897\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Graph\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-18T22:37:23.5451688Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test897.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://test897.gremlin.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"3854c12f-7eed-4879-be1f-f8f6139e333d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test897-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test897-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test897-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test897-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test897-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test897-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test897-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/SelviTest-RG/providers/Microsoft.DocumentDB/databaseAccounts/selvitest-account\",\r\n \"name\": \"selvitest-account\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-23T16:18:42.3547114Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://selvitest-account.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"55083b96-b985-4dec-92df-fa0ac98443f1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"selvitest-account-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://selvitest-account-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"selvitest-account-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://selvitest-account-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"selvitest-account-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://selvitest-account-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"selvitest-account-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testshbyok/providers/Microsoft.DocumentDB/databaseAccounts/testslestg2\",\r\n \"name\": \"testslestg2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-07T06:28:37.7623765Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testslestg2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d6631534-fb41-46b2-9aac-e0927350a2b3\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testslestg2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testslestg2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testslestg2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testslestg2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testslestg2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testslestg2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testslestg2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableServerless\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/tli-test-byok/providers/Microsoft.DocumentDB/databaseAccounts/tli-test-byok5\",\r\n \"name\": \"tli-test-byok5\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-17T03:11:25.1931086Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tli-test-byok5.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"996037c1-980b-4b97-9b18-d4475aa3248e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"keyVaultKeyUri\": \"https://liliang-test-byok.vault.azure.net/keys/test-byok\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tli-test-byok5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tli-test-byok5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tli-test-byok5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tli-test-byok5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tli-test-byok5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tli-test-byok5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tli-test-byok5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/tracevalidation/providers/Microsoft.DocumentDB/databaseAccounts/tracevalidation-sql\",\r\n \"name\": \"tracevalidation-sql\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-11-14T21:53:36.8247307Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tracevalidation-sql.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d3d5336f-6ab9-4c37-a4d2-4823bcc3ce48\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tracevalidation-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tracevalidation-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tracevalidation-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tracevalidation-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tracevalidation-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tracevalidation-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tracevalidation-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vimeng-rg/providers/Microsoft.DocumentDB/databaseAccounts/vimeng-stage-mongo-nb\",\r\n \"name\": \"vimeng-stage-mongo-nb\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-03-12T02:05:58.7859019Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vimeng-stage-mongo-nb.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://vimeng-stage-mongo-nb.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"50e8eb52-9ea0-4653-a980-d53d99f49ccd\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vimeng-stage-mongo-nb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vimeng-stage-mongo-nb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vimeng-stage-mongo-nb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vimeng-stage-mongo-nb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vimeng-stage-mongo-nb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vimeng-stage-mongo-nb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vimeng-stage-mongo-nb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test-rg/providers/Microsoft.DocumentDB/databaseAccounts/testkeksh1015\",\r\n \"name\": \"testkeksh1015\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-14T23:16:33.7595767Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testkeksh1015.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"2bc211e1-a170-431a-8fbb-1f5c61ee0733\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testkeksh1015-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testkeksh1015-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testkeksh1015-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testkeksh1015-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testkeksh1015-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testkeksh1015-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testkeksh1015-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 30,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/walgreens/providers/Microsoft.DocumentDB/databaseAccounts/walgreens-rbac\",\r\n \"name\": \"walgreens-rbac\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-01T02:05:51.5990661Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://walgreens-rbac.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"219b590d-bcc0-4b58-874c-36863e6b1bad\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"walgreens-rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://walgreens-rbac-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"walgreens-rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://walgreens-rbac-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"walgreens-rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://walgreens-rbac-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"walgreens-rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test-rg/providers/Microsoft.DocumentDB/databaseAccounts/testsanalyticsnew\",\r\n \"name\": \"testsanalyticsnew\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-18T23:17:09.3676833Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testsanalyticsnew.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1d3b3900-22ed-49e2-bc70-58835ebf851f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testsanalyticsnew-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsanalyticsnew-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testsanalyticsnew-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsanalyticsnew-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testsanalyticsnew-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testsanalyticsnew-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testsanalyticsnew-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsanalyticsnew-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testsanalyticsnew-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testsanalyticsnew-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testsanalyticsnew-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"testsanalyticsnew-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 30,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test2/providers/Microsoft.DocumentDB/databaseAccounts/testshmongo2\",\r\n \"name\": \"testshmongo2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-02T22:23:04.5154649Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshmongo2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c2e4d99b-fabd-4419-95ec-b4f2ee29b393\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshmongo2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshmongo2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshmongo2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshmongo2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshmongo2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshmongo2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshmongo2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/backup-restore/providers/Microsoft.DocumentDB/databaseAccounts/stage-validation-source\",\r\n \"name\": \"stage-validation-source\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-02T23:22:22.8339651Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stage-validation-source.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"2e123a98-31b1-4603-a0e7-8a84fa28a1ee\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stage-validation-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stage-validation-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"stage-validation-source-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://stage-validation-source-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stage-validation-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"stage-validation-source-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://stage-validation-source-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stage-validation-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"stage-validation-source-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [\r\n {\r\n \"allowedOrigins\": \"*\"\r\n }\r\n ],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 245,\r\n \"backupRetentionIntervalInHours\": 25,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testshbyok/providers/Microsoft.DocumentDB/databaseAccounts/testshstag1\",\r\n \"name\": \"testshstag1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-03T20:27:20.2594519Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshstag1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"995129ca-73ac-4270-a7e9-de49b24a163b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshstag1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshstag1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshstag1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshstag1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshstag1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshstag1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshstag1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test123/providers/Microsoft.DocumentDB/databaseAccounts/testsignoff\",\r\n \"name\": \"testsignoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-17T00:16:18.0771513Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testsignoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"df3c1f97-55df-406a-b2ca-3c824b898154\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testsignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testsignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testsignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testsignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/SelviTest-RG/providers/Microsoft.DocumentDB/databaseAccounts/selvitest-account-destinationforrestore\",\r\n \"name\": \"selvitest-account-destinationforrestore\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-23T17:39:57.4976354Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://selvitest-account-destinationforrestore.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"ec72f021-4974-405a-8c78-f74207ff0e12\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"selvitest-account-destinationforrestore-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://selvitest-account-destinationforrestore-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"selvitest-account-destinationforrestore-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://selvitest-account-destinationforrestore-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"selvitest-account-destinationforrestore-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://selvitest-account-destinationforrestore-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"selvitest-account-destinationforrestore-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/55083b96-b985-4dec-92df-fa0ac98443f1\",\r\n \"restoreTimestampInUtc\": \"2020-07-23T17:06:10Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gsk/providers/Microsoft.DocumentDB/databaseAccounts/ttres\",\r\n \"name\": \"ttres\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-08-23T20:26:57.6721104Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ttres.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://ttres.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"6afec438-93fe-4428-ac3c-f35608f2a964\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ttres-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ttres-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ttres-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ttres-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ttres-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ttres-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ttres-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai-test/providers/Microsoft.DocumentDB/databaseAccounts/virangai-test-bk-cont\",\r\n \"name\": \"virangai-test-bk-cont\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-28T22:09:23.3005573Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://virangai-test-bk-cont.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"17783e6d-0e28-41e2-b086-9d17763f1d51\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"virangai-test-bk-cont-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-bk-cont-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"virangai-test-bk-cont-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-bk-cont-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"virangai-test-bk-cont-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-bk-cont-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"virangai-test-bk-cont-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testshbyok/providers/Microsoft.DocumentDB/databaseAccounts/testshref1\",\r\n \"name\": \"testshref1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-14T01:55:00.2663629Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshref1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"b7caf086-1739-4d15-ae61-eff9ce4a0c25\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshref1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshref1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshref1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshref1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshref1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshref1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshref1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test/providers/Microsoft.DocumentDB/databaseAccounts/testshstage\",\r\n \"name\": \"testshstage\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-10-10T21:05:22.7077813Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshstage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"71a50eeb-5d42-4753-b1bb-d2c6c063ff6b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshstage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshstage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshstage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testshbyok/providers/Microsoft.DocumentDB/databaseAccounts/testsless\",\r\n \"name\": \"testsless\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-07T04:59:18.913562Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testsless.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a6cbf641-4203-4c6c-add6-6d90d6c7c6a2\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testsless-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsless-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testsless-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsless-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testsless-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsless-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testsless-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/tvkcassandrademo/providers/Microsoft.DocumentDB/databaseAccounts/tvkcassandrademo\",\r\n \"name\": \"tvkcassandrademo\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-14T17:32:55.1868041Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tvkcassandrademo.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://tvkcassandrademo.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"instanceId\": \"06b06214-765c-435a-995b-14ea5651da8d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tvkcassandrademo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tvkcassandrademo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tvkcassandrademo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tvkcassandrademo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tvkcassandrademo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tvkcassandrademo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tvkcassandrademo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/SelviTest-RG/providers/Microsoft.DocumentDB/databaseAccounts/selvitest-account-destinationforrestorev2\",\r\n \"name\": \"selvitest-account-destinationforrestorev2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-23T17:41:21.5364537Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://selvitest-account-destinationforrestorev2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"2d90bc37-cd54-4352-9e57-e6aa3f22d494\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"selvitest-account-destinationforrestorev2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://selvitest-account-destinationforrestorev2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"selvitest-account-destinationforrestorev2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://selvitest-account-destinationforrestorev2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"selvitest-account-destinationforrestorev2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://selvitest-account-destinationforrestorev2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"selvitest-account-destinationforrestorev2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/55083b96-b985-4dec-92df-fa0ac98443f1\",\r\n \"restoreTimestampInUtc\": \"2020-07-23T17:06:10Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai-test/providers/Microsoft.DocumentDB/databaseAccounts/virangai-test-bk-periodic\",\r\n \"name\": \"virangai-test-bk-periodic\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-28T22:17:49.6964141Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://virangai-test-bk-periodic.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"dc66fd77-d262-4669-b43d-23f1ed1483f0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"virangai-test-bk-periodic-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-bk-periodic-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"virangai-test-bk-periodic-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-bk-periodic-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"virangai-test-bk-periodic-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-bk-periodic-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"virangai-test-bk-periodic-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/xujzhang_stage/providers/Microsoft.DocumentDB/databaseAccounts/xujinstagetest1\",\r\n \"name\": \"xujinstagetest1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-03-22T21:07:39.7713078Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://xujinstagetest1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"0173ac57-191b-49ee-925c-e578604ce691\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"xujinstagetest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://xujinstagetest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"xujinstagetest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://xujinstagetest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"xujinstagetest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://xujinstagetest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"xujinstagetest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shmotlan/providers/Microsoft.DocumentDB/databaseAccounts/shan-0726-cassandra\",\r\n \"name\": \"shan-0726-cassandra\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-26T20:36:06.0851865Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shan-0726-cassandra.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://shan-0726-cassandra.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d8f0ab61-7696-4a90-bccc-ace162567de1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shan-0726-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-cassandra-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shan-0726-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-cassandra-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shan-0726-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-cassandra-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shan-0726-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/xujzhang_stage/providers/Microsoft.DocumentDB/databaseAccounts/xujinstagetest2\",\r\n \"name\": \"xujinstagetest2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-04-01T20:21:52.6485436Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://xujinstagetest2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"5f143bbb-1924-48e9-a99d-adb8231afc9b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"xujinstagetest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://xujinstagetest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"xujinstagetest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://xujinstagetest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"xujinstagetest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://xujinstagetest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"xujinstagetest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stageeastus2fd5\",\r\n \"name\": \"canary-stageeastus2fd5\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-16T13:42:04.8923822Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd5.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a9ccaa44-ea29-4215-8a21-9fc277eef399\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/jasontho-stagetest32\",\r\n \"name\": \"jasontho-stagetest32\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-19T22:13:22.179313Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://jasontho-stagetest32.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://jasontho-stagetest32.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"98f5d7df-6e9a-44b8-9314-84d0a0aa456a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"jasontho-stagetest32-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jasontho-stagetest32-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"jasontho-stagetest32-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jasontho-stagetest32-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"jasontho-stagetest32-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jasontho-stagetest32-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"jasontho-stagetest32-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/jasontho-stagetest36\",\r\n \"name\": \"jasontho-stagetest36\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-19T22:17:01.1188426Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://jasontho-stagetest36.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://jasontho-stagetest36.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"ed43e94e-b1d1-462c-84bc-5ff8a229cd7f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"jasontho-stagetest36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jasontho-stagetest36-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"jasontho-stagetest36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jasontho-stagetest36-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"jasontho-stagetest36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jasontho-stagetest36-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"jasontho-stagetest36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/clizdrn52wvk2p6\",\r\n \"name\": \"clizdrn52wvk2p6\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-20T19:34:35.4461278Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://clizdrn52wvk2p6.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"9ad09199-8e7a-4c2d-812a-41a3a21c7c67\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"clizdrn52wvk2p6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://clizdrn52wvk2p6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"clizdrn52wvk2p6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://clizdrn52wvk2p6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"clizdrn52wvk2p6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://clizdrn52wvk2p6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"clizdrn52wvk2p6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ragil/providers/Microsoft.DocumentDB/databaseAccounts/ragil-stage2\",\r\n \"name\": \"ragil-stage2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-21T06:42:55.5856255Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ragil-stage2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1a9aa254-93fd-46e4-a4e6-86a8c2ffe8ff\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ragil-stage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ragil-stage2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ragil-stage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ragil-stage2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ragil-stage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ragil-stage2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ragil-stage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/BCDR/providers/Microsoft.DocumentDB/databaseAccounts/bcdrdrill\",\r\n \"name\": \"bcdrdrill\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-21T19:39:36.3359017Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://bcdrdrill.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"062979ad-28c2-4f77-908b-6d93e69bcb14\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"bcdrdrill-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://bcdrdrill-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"bcdrdrill-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://bcdrdrill-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"bcdrdrill-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://bcdrdrill-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"bcdrdrill-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/OutageDrill/providers/Microsoft.DocumentDB/databaseAccounts/outagedrill\",\r\n \"name\": \"outagedrill\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-21T19:42:53.5545452Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://outagedrill.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"606e424c-bc9e-4607-8f83-1e1be9a12dc2\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"outagedrill-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://outagedrill-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"outagedrill-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://outagedrill-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"outagedrill-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://outagedrill-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"outagedrill-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://outagedrill-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"outagedrill-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://outagedrill-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"outagedrill-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"outagedrill-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shellyg_dr/providers/Microsoft.DocumentDB/databaseAccounts/shellyg-dr\",\r\n \"name\": \"shellyg-dr\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-21T20:20:06.9213431Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shellyg-dr.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"705a1e7e-1d00-42b3-bbef-67d60db50efc\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shellyg-dr-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shellyg-dr-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shellyg-dr-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shellyg-dr-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shellyg-dr-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shellyg-dr-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shellyg-dr-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/OutageDrill/providers/Microsoft.DocumentDB/databaseAccounts/outagedrillmongo\",\r\n \"name\": \"outagedrillmongo\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-22T20:43:06.8561405Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://outagedrillmongo.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://outagedrillmongo.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"49a64798-7d2e-4f4f-a81c-2a0a9bdf2562\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"outagedrillmongo-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://outagedrillmongo-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"outagedrillmongo-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://outagedrillmongo-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"outagedrillmongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://outagedrillmongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"outagedrillmongo-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://outagedrillmongo-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"outagedrillmongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://outagedrillmongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"outagedrillmongo-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"outagedrillmongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test-rg/providers/Microsoft.DocumentDB/databaseAccounts/swvyaconfigstage2\",\r\n \"name\": \"swvyaconfigstage2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-27T03:06:04.5066019Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://swvyaconfigstage2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d340436a-8841-48c5-bb4b-7c672ef70a9d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"swvyaconfigstage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://swvyaconfigstage2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"swvyaconfigstage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://swvyaconfigstage2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"swvyaconfigstage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://swvyaconfigstage2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"swvyaconfigstage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 30,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abpairg/providers/Microsoft.DocumentDB/databaseAccounts/patch-testing-demos\",\r\n \"name\": \"patch-testing-demos\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-27T10:06:57.5067585Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://patch-testing-demos.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"6ceef6fc-53f0-4d4a-ae4b-006b91a148be\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"patch-testing-demos-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://patch-testing-demos-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"patch-testing-demos-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://patch-testing-demos-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Deleting\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"patch-testing-demos-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://patch-testing-demos-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"patch-testing-demos-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://patch-testing-demos-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Deleting\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"patch-testing-demos-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://patch-testing-demos-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"patch-testing-demos-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://patch-testing-demos-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Deleting\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"patch-testing-demos-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"patch-testing-demos-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test-rg/providers/Microsoft.DocumentDB/databaseAccounts/swvyaconfigstage4\",\r\n \"name\": \"swvyaconfigstage4\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-27T21:36:39.1876421Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://swvyaconfigstage4.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1a1430c9-1c7f-4e3f-886b-dbccf050d7bb\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"swvyaconfigstage4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://swvyaconfigstage4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"swvyaconfigstage4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://swvyaconfigstage4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"swvyaconfigstage4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://swvyaconfigstage4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"swvyaconfigstage4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 30,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/walgreens/providers/Microsoft.DocumentDB/databaseAccounts/walgreens-rbac-2\",\r\n \"name\": \"walgreens-rbac-2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-27T21:44:43.295874Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://walgreens-rbac-2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8718f446-9918-4a76-a8cc-00c34959db70\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"walgreens-rbac-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://walgreens-rbac-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"walgreens-rbac-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://walgreens-rbac-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"walgreens-rbac-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://walgreens-rbac-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"walgreens-rbac-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shatri_vmss/providers/Microsoft.DocumentDB/databaseAccounts/shcassvmss\",\r\n \"name\": \"shcassvmss\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-29T20:21:17.1326652Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shcassvmss.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://shcassvmss.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"aec926f8-4de5-489c-84b6-0cf83c525057\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"small\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shcassvmss-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shcassvmss-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shcassvmss-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shcassvmss-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shcassvmss-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shcassvmss-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shcassvmss-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3871/providers/Microsoft.DocumentDB/databaseAccounts/accountname1980\",\r\n \"name\": \"accountname1980\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"key1\": \"value1\",\r\n \"key2\": \"value2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-29T20:44:58.7189491Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://accountname1980.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": true,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"fdbd461a-4efe-45ed-83aa-ded9d4730003\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 1000,\r\n \"maxStalenessPrefix\": 300\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"accountname1980-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname1980-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"accountname1980-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname1980-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"accountname1980-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname1980-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"accountname1980-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vahemeswtest/providers/Microsoft.DocumentDB/databaseAccounts/vahemeswridtest\",\r\n \"name\": \"vahemeswridtest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-30T07:31:52.9777392Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vahemeswridtest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"047cb6e8-ea14-43ae-9c6b-f1d1269ac569\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vahemeswridtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vahemeswridtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"vahemeswridtest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://vahemeswridtest-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vahemeswridtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vahemeswridtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"vahemeswridtest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://vahemeswridtest-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vahemeswridtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vahemeswridtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"vahemeswridtest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://vahemeswridtest-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vahemeswridtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"vahemeswridtest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/aetest1\",\r\n \"name\": \"aetest1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-02T01:57:08.6131214Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://aetest1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1ae0285a-d538-4dfa-9103-d4e0706ad2c3\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"aetest1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://aetest1-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"aetest1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://aetest1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"aetest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://aetest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"aetest1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://aetest1-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"aetest1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://aetest1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"aetest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://aetest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"aetest1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://aetest1-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"aetest1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://aetest1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"aetest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://aetest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"aetest1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"aetest1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n },\r\n {\r\n \"id\": \"aetest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 2\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/OutageDrill/providers/Microsoft.DocumentDB/databaseAccounts/outagedrillrwworkload\",\r\n \"name\": \"outagedrillrwworkload\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-02T23:29:01.5199281Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://outagedrillrwworkload.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"827f0be0-0719-4bd4-a13a-0a322bb82050\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"outagedrillrwworkload-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://outagedrillrwworkload-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"outagedrillrwworkload-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://outagedrillrwworkload-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"outagedrillrwworkload-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://outagedrillrwworkload-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"outagedrillrwworkload-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://outagedrillrwworkload-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"outagedrillrwworkload-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://outagedrillrwworkload-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"outagedrillrwworkload-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"outagedrillrwworkload-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/swvya-rg/providers/Microsoft.DocumentDB/databaseAccounts/swvyabgtcheckportal\",\r\n \"name\": \"swvyabgtcheckportal\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-04T05:34:05.302836Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://swvyabgtcheckportal.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"ce683fb9-1f43-4346-9dcc-af2988976c82\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"swvyabgtcheckportal-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://swvyabgtcheckportal-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"swvyabgtcheckportal-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://swvyabgtcheckportal-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"swvyabgtcheckportal-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://swvyabgtcheckportal-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"swvyabgtcheckportal-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://swvyabgtcheckportal-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"swvyabgtcheckportal-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://swvyabgtcheckportal-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"swvyabgtcheckportal-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"swvyabgtcheckportal-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/srpalive-rg/providers/Microsoft.DocumentDB/databaseAccounts/srpaliveuniqueindexpolicytest\",\r\n \"name\": \"srpaliveuniqueindexpolicytest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-09T23:10:36.4618302Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://srpaliveuniqueindexpolicytest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1db86733-ea44-44e8-9fbe-69cc2bf60b55\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"srpaliveuniqueindexpolicytest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://srpaliveuniqueindexpolicytest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"srpaliveuniqueindexpolicytest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://srpaliveuniqueindexpolicytest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"srpaliveuniqueindexpolicytest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://srpaliveuniqueindexpolicytest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"srpaliveuniqueindexpolicytest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/fnbalaji-test/providers/Microsoft.DocumentDB/databaseAccounts/fnbalaji-metrics\",\r\n \"name\": \"fnbalaji-metrics\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-10T00:26:06.0296548Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://fnbalaji-metrics.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"instanceId\": \"f2bdc357-b0d7-4f9e-8353-4b38d1ade4c9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"fnbalaji-metrics-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://fnbalaji-metrics-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"fnbalaji-metrics-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://fnbalaji-metrics-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"fnbalaji-metrics-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://fnbalaji-metrics-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"fnbalaji-metrics-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ankisrgstage/providers/Microsoft.DocumentDB/databaseAccounts/ankisstage23\",\r\n \"name\": \"ankisstage23\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-19T07:02:35.3594771Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ankisstage23.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"774b5e27-c17e-4f9a-aa16-c1d4531f2239\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ankisstage23-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ankisstage23-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ankisstage23-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ankisstage23-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ankisstage23-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ankisstage23-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ankisstage23-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ankisstage23-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ankisstage23-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ankisstage23-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ankisstage23-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"ankisstage23-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/fnbalaji-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/fnbalaji-stage-signoff\",\r\n \"name\": \"fnbalaji-stage-signoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-19T17:41:23.8356518Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://fnbalaji-stage-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"77d833f8-0784-4034-aa46-efeef57775e8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"fnbalaji-stage-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://fnbalaji-stage-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"fnbalaji-stage-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://fnbalaji-stage-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"fnbalaji-stage-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://fnbalaji-stage-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"fnbalaji-stage-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mongolargedoctest/providers/Microsoft.DocumentDB/databaseAccounts/mongolargedoctest\",\r\n \"name\": \"mongolargedoctest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-20T13:29:24.5625937Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongolargedoctest.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongolargedoctest.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"f97ec1fb-8360-4f55-890b-f6c99c1603b1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongolargedoctest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongolargedoctest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongolargedoctest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongolargedoctest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongolargedoctest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongolargedoctest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongolargedoctest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mongolargedoctest/providers/Microsoft.DocumentDB/databaseAccounts/mongo34\",\r\n \"name\": \"mongo34\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-20T16:34:40.581941Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo34.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongo34.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"800f86a5-3637-4c92-9031-d9e70a8bd1a8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo34-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongo34-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo34-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongo34-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo34-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongo34-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo34-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mongotestdocsize/providers/Microsoft.DocumentDB/databaseAccounts/mongolargedocsizetest\",\r\n \"name\": \"mongolargedocsizetest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-20T18:39:41.78945Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongolargedocsizetest.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongolargedocsizetest.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"6a54ebdd-8f86-4e77-8d83-aa405d9a4165\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongolargedocsizetest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongolargedocsizetest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongolargedocsizetest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongolargedocsizetest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongolargedocsizetest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongolargedocsizetest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongolargedocsizetest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/table-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/tablestagesignoffeastus2\",\r\n \"name\": \"tablestagesignoffeastus2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-24T12:01:02.1301419Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tablestagesignoffeastus2.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://tablestagesignoffeastus2.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"bf5bc138-b90e-4c6b-a465-0f60ed040d5a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tablestagesignoffeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tablestagesignoffeastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tablestagesignoffeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tablestagesignoffeastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tablestagesignoffeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tablestagesignoffeastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tablestagesignoffeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/restoredaccountname637428812785768088\",\r\n \"name\": \"restoredaccountname637428812785768088\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-07T20:03:40.5408878Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://restoredaccountname637428812785768088.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"b0c8684b-7f9c-45fe-8ab9-2a74b656867e\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"restoredaccountname637428812785768088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname637428812785768088-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"restoredaccountname637428812785768088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname637428812785768088-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"restoredaccountname637428812785768088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname637428812785768088-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"restoredaccountname637428812785768088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/aca7d453-88a9-4bf2-8abc-46d21553638f\",\r\n \"restoreTimestampInUtc\": \"2020-12-06T19:54:38.5768088Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/pitr-mongo32-stage-source\",\r\n \"name\": \"pitr-mongo32-stage-source\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-07T21:23:55.1942911Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-mongo32-stage-source.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"eadac7e2-61f0-4e07-aaa1-9dbb495ec5a8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-mongo32-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-mongo32-stage-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-mongo32-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-mongo32-stage-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"pitr-mongo32-stage-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-mongo32-stage-source-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-mongo32-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-mongo32-stage-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"pitr-mongo32-stage-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-mongo32-stage-source-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-mongo32-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"pitr-mongo32-stage-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/pitr-mongo36-stage-source\",\r\n \"name\": \"pitr-mongo36-stage-source\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-07T21:35:23.3656995Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-mongo36-stage-source.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://pitr-mongo36-stage-source.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"25a04cf0-89d4-4546-9c30-14d1dc8899df\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-mongo36-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-mongo36-stage-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-mongo36-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-mongo36-stage-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"pitr-mongo36-stage-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-mongo36-stage-source-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-mongo36-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-mongo36-stage-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"pitr-mongo36-stage-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-mongo36-stage-source-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-mongo36-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"pitr-mongo36-stage-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nichatur/providers/Microsoft.DocumentDB/databaseAccounts/nichatur-restore-test\",\r\n \"name\": \"nichatur-restore-test\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-07T23:33:56.040742Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nichatur-restore-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"345c785a-e758-4f8b-94d4-0a1259f4f85b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nichatur-restore-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nichatur-restore-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nichatur-restore-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nichatur-restore-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nichatur-restore-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nichatur-restore-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nichatur-restore-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.10.40.67\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nichatur/providers/Microsoft.DocumentDB/databaseAccounts/nichatur-restore-test-r1\",\r\n \"name\": \"nichatur-restore-test-r1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-07T23:57:58.8872446Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nichatur-restore-test-r1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"605db505-9267-4cf0-b7ac-27ef644b2ef3\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nichatur-restore-test-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nichatur-restore-test-r1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nichatur-restore-test-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nichatur-restore-test-r1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nichatur-restore-test-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nichatur-restore-test-r1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nichatur-restore-test-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/345c785a-e758-4f8b-94d4-0a1259f4f85b\",\r\n \"restoreTimestampInUtc\": \"2020-12-07T23:47:49.48Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/restoredaccountname637428989095532319\",\r\n \"name\": \"restoredaccountname637428989095532319\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-08T00:57:51.9046166Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://restoredaccountname637428989095532319.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"0d00d699-017a-4a76-8639-ab4bec82c5f2\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"restoredaccountname637428989095532319-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname637428989095532319-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"restoredaccountname637428989095532319-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname637428989095532319-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"restoredaccountname637428989095532319-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname637428989095532319-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"restoredaccountname637428989095532319-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/aca7d453-88a9-4bf2-8abc-46d21553638f\",\r\n \"restoreTimestampInUtc\": \"2020-12-07T00:48:29.5532319Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nichatur/providers/Microsoft.DocumentDB/databaseAccounts/nichatur-restore-test-r2\",\r\n \"name\": \"nichatur-restore-test-r2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-08T22:03:13.047643Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nichatur-restore-test-r2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"73d1010d-f0b7-4673-b8c0-18ddecdcda06\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nichatur-restore-test-r2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nichatur-restore-test-r2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nichatur-restore-test-r2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nichatur-restore-test-r2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nichatur-restore-test-r2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nichatur-restore-test-r2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nichatur-restore-test-r2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/345c785a-e758-4f8b-94d4-0a1259f4f85b\",\r\n \"restoreTimestampInUtc\": \"2020-12-08T21:53:49.725Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nitesh-resource/providers/Microsoft.DocumentDB/databaseAccounts/nidudhey-test-stage\",\r\n \"name\": \"nidudhey-test-stage\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-15T15:20:43.4354931Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nidudhey-test-stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c66385ac-9338-4f47-83bb-d2335cc369f0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nidudhey-test-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nidudhey-test-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nidudhey-test-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nidudhey-test-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nidudhey-test-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nidudhey-test-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nidudhey-test-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nidudhey-test-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nidudhey-test-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nidudhey-test-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nidudhey-test-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nidudhey-test-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nidudhey-test-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"nidudhey-test-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup1787/providers/Microsoft.DocumentDB/databaseAccounts/accountname8516\",\r\n \"name\": \"accountname8516\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"key3\": \"value3\",\r\n \"key4\": \"value4\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-15T23:39:48.5589913Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://accountname8516.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://accountname8516.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": true,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c4672bc7-527c-45c2-9921-dce0b47d2bef\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"accountname8516-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname8516-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"accountname8516-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname8516-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"accountname8516-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname8516-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"accountname8516-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nidudhey-largedocs-stage/providers/Microsoft.DocumentDB/databaseAccounts/largedocsaccount\",\r\n \"name\": \"largedocsaccount\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-16T12:17:24.5504605Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://largedocsaccount.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"14e613e2-0fd2-48f0-8816-9bf1e990be97\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"largedocsaccount-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://largedocsaccount-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"largedocsaccount-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://largedocsaccount-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"largedocsaccount-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://largedocsaccount-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"largedocsaccount-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nitesh-resource/providers/Microsoft.DocumentDB/databaseAccounts/nidudheylargedocsaccount2\",\r\n \"name\": \"nidudheylargedocsaccount2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-16T15:12:35.8999909Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a13d649a-4238-4cfc-944e-79c516049cd3\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nidudheylargedocsaccount2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nidudheylargedocsaccount2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nidudheylargedocsaccount2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nidudheylargedocsaccount2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nidudheylargedocsaccount2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nidudheylargedocsaccount2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nidudheylargedocsaccount2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"nidudheylargedocsaccount2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nitesh-resource/providers/Microsoft.DocumentDB/databaseAccounts/nidudheylargedocsaccount3\",\r\n \"name\": \"nidudheylargedocsaccount3\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-16T18:31:42.2164221Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"3cf70cd8-9fc6-4382-b5f4-1600ea82fe63\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nidudheylargedocsaccount3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nidudheylargedocsaccount3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nidudheylargedocsaccount3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nidudheylargedocsaccount3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nidudheylargedocsaccount3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nidudheylargedocsaccount3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nidudheylargedocsaccount3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"nidudheylargedocsaccount3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/SQL_on_Compute_sign_off/providers/Microsoft.DocumentDB/databaseAccounts/sqloncomputesignoff\",\r\n \"name\": \"sqloncomputesignoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-14T05:46:36.9458648Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sqloncomputesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1f2287d6-f5d8-415b-bee7-1e95cb017813\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sqloncomputesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sqloncomputesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sqloncomputesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sqloncomputesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test1027group/providers/Microsoft.DocumentDB/databaseAccounts/test-tepa0115\",\r\n \"name\": \"test-tepa0115\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-15T11:45:43.924868Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-tepa0115.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"14287d17-5cc7-4672-8781-0c51170758f4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-tepa0115-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test-tepa0115-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-tepa0115-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test-tepa0115-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"test-tepa0115-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-tepa0115-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-tepa0115-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test-tepa0115-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"test-tepa0115-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-tepa0115-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-tepa0115-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"test-tepa0115-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 25,\r\n \"backupStorageRedundancy\": \"Local\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/kakhandr-rg/providers/Microsoft.DocumentDB/databaseAccounts/kal-restore-test\",\r\n \"name\": \"kal-restore-test\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-15T21:58:31.8978899Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://kal-restore-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d1535f84-06b5-497b-8768-962ece984001\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"kal-restore-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kal-restore-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"kal-restore-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kal-restore-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"kal-restore-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kal-restore-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"kal-restore-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/a54115d5-4356-4771-b7b0-20f475ce5a38\",\r\n \"restoreTimestampInUtc\": \"2020-12-17T18:59:50Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stageeastus2fd3-sqlx\",\r\n \"name\": \"canary-stageeastus2fd3-sqlx\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-19T19:09:48.5481956Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd3-sqlx.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"ce2d1575-d2e5-47bd-976c-16d9cf7dbb81\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd3-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd3-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd3-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd3-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd3-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd3-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd3-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSqlx\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/roaror-test-eastus2/providers/Microsoft.DocumentDB/databaseAccounts/roaror-test\",\r\n \"name\": \"roaror-test\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-19T19:55:56.5058597Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://roaror-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"cae70bee-0f3a-4bac-ac00-3c784364e5bd\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"roaror-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://roaror-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"roaror-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://roaror-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"roaror-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://roaror-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"roaror-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/mongostagevalidation0120\",\r\n \"name\": \"mongostagevalidation0120\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-20T19:37:24.8064847Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongostagevalidation0120.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongostagevalidation0120.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"7c7e80e2-c316-42eb-b044-e65deda55c19\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongostagevalidation0120-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongostagevalidation0120-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongostagevalidation0120-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongostagevalidation0120-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongostagevalidation0120-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongostagevalidation0120-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongostagevalidation0120-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/mongostage360120\",\r\n \"name\": \"mongostage360120\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-20T19:38:29.6101734Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongostage360120.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongostage360120.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"acf7cb86-2412-47e3-a6dd-a82c656bfa3a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongostage360120-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongostage360120-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongostage360120-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongostage360120-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongostage360120-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongostage360120-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongostage360120-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shreystagetest/providers/Microsoft.DocumentDB/databaseAccounts/shreystagetest1\",\r\n \"name\": \"shreystagetest1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-20T19:41:28.6998319Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shreystagetest1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"abe98c9b-bf84-4b8d-8eb4-c50b076edee1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shreystagetest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreystagetest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shreystagetest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreystagetest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shreystagetest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreystagetest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shreystagetest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/testmongoaccount32stage\",\r\n \"name\": \"testmongoaccount32stage\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-20T20:21:26.0548848Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testmongoaccount32stage.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://testmongoaccount32stage.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"5df12441-3a92-4488-b6bb-ba9313dd399e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testmongoaccount32stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmongoaccount32stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testmongoaccount32stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmongoaccount32stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testmongoaccount32stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmongoaccount32stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testmongoaccount32stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ccxstagevalidationrg/providers/Microsoft.DocumentDB/databaseAccounts/ccxteststagesignoff\",\r\n \"name\": \"ccxteststagesignoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-21T14:24:57.0107597Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ccxteststagesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://ccxteststagesignoff.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"6d831b36-0bcf-44cd-b47b-f99c3ab11d9c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ccxteststagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ccxteststagesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ccxteststagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ccxteststagesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ccxteststagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ccxteststagesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ccxteststagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/viho-rg-stage/providers/Microsoft.DocumentDB/databaseAccounts/vihosqlstage\",\r\n \"name\": \"vihosqlstage\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-22T17:13:21.3127488Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vihosqlstage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"282c1b56-aa6e-4bb3-9e53-dcb317c1cfe8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vihosqlstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vihosqlstage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vihosqlstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vihosqlstage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vihosqlstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vihosqlstage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vihosqlstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/viho-rg-stage/providers/Microsoft.DocumentDB/databaseAccounts/vihocassandrastage\",\r\n \"name\": \"vihocassandrastage\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-22T17:17:31.6108912Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vihocassandrastage.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://vihocassandrastage.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8a85a2c1-89bd-486e-912a-66da054c31d1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vihocassandrastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vihocassandrastage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vihocassandrastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vihocassandrastage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vihocassandrastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vihocassandrastage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vihocassandrastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/roaror-test-eastus2/providers/Microsoft.DocumentDB/databaseAccounts/roaror-test2\",\r\n \"name\": \"roaror-test2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-25T21:49:02.8761555Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://roaror-test2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"f1e44906-3038-4198-bfb8-502ac191a404\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"roaror-test2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://roaror-test2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"roaror-test2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://roaror-test2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"roaror-test2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://roaror-test2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"roaror-test2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/mekaushi-stage0125\",\r\n \"name\": \"mekaushi-stage0125\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-25T23:21:48.7752496Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mekaushi-stage0125.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"5f934eae-2a90-425c-a144-770fc0f17da6\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mekaushi-stage0125-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mekaushi-stage0125-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mekaushi-stage0125-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mekaushi-stage0125-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mekaushi-stage0125-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mekaushi-stage0125-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mekaushi-stage0125-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stageeastus2fd4-sqlx\",\r\n \"name\": \"canary-stageeastus2fd4-sqlx\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-27T22:13:50.556868Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd4-sqlx.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"cfd45293-fdec-486b-bb4b-5fc97fb06041\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd4-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd4-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd4-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd4-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd4-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd4-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd4-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSqlx\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stageeastus2fd5-sqlx\",\r\n \"name\": \"canary-stageeastus2fd5-sqlx\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-27T23:58:03.8477755Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd5-sqlx.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1978addb-0520-4004-97cf-abf83490dad1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd5-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd5-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd5-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd5-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd5-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd5-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd5-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSqlx\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/roaror-test-eastus2/providers/Microsoft.DocumentDB/databaseAccounts/roaror-fd5-test\",\r\n \"name\": \"roaror-fd5-test\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-28T00:01:01.4718143Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://roaror-fd5-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"4976571e-7429-4383-bc1c-ab972b466faf\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"roaror-fd5-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://roaror-fd5-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"roaror-fd5-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://roaror-fd5-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"roaror-fd5-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://roaror-fd5-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"roaror-fd5-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stageeastus2fd6-sqlx\",\r\n \"name\": \"canary-stageeastus2fd6-sqlx\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-28T18:45:43.6929006Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd6-sqlx.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a7af4aba-906c-4463-bef6-65017ee6ab3b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd6-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd6-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd6-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd6-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd6-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd6-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd6-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSqlx\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sachimplacementhint/providers/Microsoft.DocumentDB/databaseAccounts/placementhintcosmosdb\",\r\n \"name\": \"placementhintcosmosdb\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-28T19:57:53.7083463Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://placementhintcosmosdb.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"9922c594-4816-4e93-8f06-02a92896734b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"placementhintcosmosdb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://placementhintcosmosdb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"placementhintcosmosdb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://placementhintcosmosdb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"placementhintcosmosdb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://placementhintcosmosdb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"placementhintcosmosdb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/java-v4-sdk-signoff\",\r\n \"name\": \"java-v4-sdk-signoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-01T19:22:47.4913463Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://java-v4-sdk-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"54bbaba3-b104-472d-8c0f-bb994dfbb6db\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Strong\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"java-v4-sdk-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-v4-sdk-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"java-v4-sdk-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-v4-sdk-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"java-v4-sdk-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-v4-sdk-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"java-v4-sdk-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/backup-restore/providers/Microsoft.DocumentDB/databaseAccounts/stage-pitr-m-validation-source\",\r\n \"name\": \"stage-pitr-m-validation-source\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-02T20:34:13.7777891Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stage-pitr-m-validation-source.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://stage-pitr-m-validation-source.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"ff9fd06f-c828-40cd-a546-3dc2b17e54d4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stage-pitr-m-validation-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-m-validation-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stage-pitr-m-validation-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-m-validation-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stage-pitr-m-validation-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-m-validation-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stage-pitr-m-validation-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/fnbalaji-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/fnbalaji-stage-sign-off-eastus2\",\r\n \"name\": \"fnbalaji-stage-sign-off-eastus2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-03T04:04:38.8739575Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://fnbalaji-stage-sign-off-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"ad2cdbeb-7050-481e-b89f-3041cba78662\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"fnbalaji-stage-sign-off-eastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://fnbalaji-stage-sign-off-eastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"fnbalaji-stage-sign-off-eastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://fnbalaji-stage-sign-off-eastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"fnbalaji-stage-sign-off-eastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://fnbalaji-stage-sign-off-eastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"fnbalaji-stage-sign-off-eastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup1450/providers/Microsoft.DocumentDB/databaseAccounts/accountname495\",\r\n \"name\": \"accountname495\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"key3\": \"value3\",\r\n \"key4\": \"value4\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-03T19:08:37.8715072Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://accountname495.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://accountname495.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": true,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"f8a8da88-e9cc-4b79-b77f-5314e4c291f8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"accountname495-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname495-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"accountname495-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname495-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"accountname495-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname495-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"accountname495-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124\",\r\n \"name\": \"cli124\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-03T19:07:21.5352664Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cli124.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"53ff61db-dc59-44a5-ba3f-e5c82c0822d3\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cli124-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cli124-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cli124-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cli124-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cli124-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cli124-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cli124-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/kakhandr-rg/providers/Microsoft.DocumentDB/databaseAccounts/pitr-unique-mode-source\",\r\n \"name\": \"pitr-unique-mode-source\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-03T19:53:24.4508018Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-unique-mode-source.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"9351dd2e-d901-465b-98cb-a74a3aabd49f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-unique-mode-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-unique-mode-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-unique-mode-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-unique-mode-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-unique-mode-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-unique-mode-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-unique-mode-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/kakhandr-rg/providers/Microsoft.DocumentDB/databaseAccounts/pitr-unique-mode-restored\",\r\n \"name\": \"pitr-unique-mode-restored\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-03T20:07:49.7514223Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-unique-mode-restored.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"222da8e2-da07-46db-9cd2-51a2efb84b9f\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-unique-mode-restored-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-unique-mode-restored-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-unique-mode-restored-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-unique-mode-restored-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-unique-mode-restored-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-unique-mode-restored-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-unique-mode-restored-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/9351dd2e-d901-465b-98cb-a74a3aabd49f\",\r\n \"restoreTimestampInUtc\": \"2021-02-03T19:56:16Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ruleiRG/providers/Microsoft.DocumentDB/databaseAccounts/stage-pitr-validation-source-rulei\",\r\n \"name\": \"stage-pitr-validation-source-rulei\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-04T19:39:55.6436193Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-rulei.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://stage-pitr-validation-source-rulei.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d03dfdb8-9db2-4a5f-9f6c-40a8868d740a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stage-pitr-validation-source-rulei-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-rulei-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"stage-pitr-validation-source-rulei-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-rulei-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stage-pitr-validation-source-rulei-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-rulei-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"stage-pitr-validation-source-rulei-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-rulei-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stage-pitr-validation-source-rulei-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-rulei-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"stage-pitr-validation-source-rulei-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-rulei-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stage-pitr-validation-source-rulei-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"stage-pitr-validation-source-rulei-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwsing-signoff/providers/Microsoft.DocumentDB/databaseAccounts/testmongo40\",\r\n \"name\": \"testmongo40\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-04T20:25:38.7529107Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testmongo40.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://testmongo40.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d9dcb808-173a-4635-b931-e5afad9ca53b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testmongo40-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmongo40-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testmongo40-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmongo40-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testmongo40-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmongo40-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testmongo40-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"104.42.195.92\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"40.76.54.131\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.176.6.30\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.169.50.45\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.187.184.26\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwsing-signoff/providers/Microsoft.DocumentDB/databaseAccounts/test40mongo\",\r\n \"name\": \"test40mongo\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-04T20:30:40.6419389Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test40mongo.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://test40mongo.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"b04ac343-3f8e-4c17-a8dc-30bd4f9c2dc0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test40mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test40mongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test40mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test40mongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test40mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test40mongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test40mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jmondal-eu2/providers/Microsoft.DocumentDB/databaseAccounts/jmondal-stg-d32\",\r\n \"name\": \"jmondal-stg-d32\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlinv2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-05T00:56:28.4386887Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://jmondal-stg-d32.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://jmondal-stg-d32.gremlin.cosmos.windows-ppe.net/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"GremlinV2\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"fd5e1594-f8d8-4beb-bc14-3f765970720d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"clusterInstanceCount\": 1,\r\n \"clusterSize\": \"Cosmos.Gremlin.D32s\"\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"jmondal-stg-d32-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jmondal-stg-d32-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"jmondal-stg-d32-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jmondal-stg-d32-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"jmondal-stg-d32-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jmondal-stg-d32-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"jmondal-stg-d32-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlinV2\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/backup-restore/providers/Microsoft.DocumentDB/databaseAccounts/stage-validation-m\",\r\n \"name\": \"stage-validation-m\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-05T04:08:09.1223636Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stage-validation-m.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://stage-validation-m.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"19e4130a-cb83-4a34-85c2-e35dcda149f8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stage-validation-m-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-m-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stage-validation-m-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-m-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"stage-validation-m-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-m-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stage-validation-m-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-m-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"stage-validation-m-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-m-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stage-validation-m-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"stage-validation-m-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwsing-signoff/providers/Microsoft.DocumentDB/databaseAccounts/test40mongo-two\",\r\n \"name\": \"test40mongo-two\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-05T19:38:06.2713539Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test40mongo-two.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://test40mongo-two.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"01c23f84-caf0-4ae3-a87f-e69c49e266bb\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test40mongo-two-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test40mongo-two-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test40mongo-two-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test40mongo-two-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test40mongo-two-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test40mongo-two-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test40mongo-two-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwsing-signoff/providers/Microsoft.DocumentDB/databaseAccounts/test40mongo-one\",\r\n \"name\": \"test40mongo-one\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-05T19:38:47.0239921Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test40mongo-one.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://test40mongo-one.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"9e4eb9da-41c3-4787-9696-194b9046430c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test40mongo-one-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test40mongo-one-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test40mongo-one-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test40mongo-one-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test40mongo-one-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test40mongo-one-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test40mongo-one-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwsing-signoff/providers/Microsoft.DocumentDB/databaseAccounts/test40mongo-three\",\r\n \"name\": \"test40mongo-three\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-05T19:40:55.9814347Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test40mongo-three.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://test40mongo-three.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"5f317237-4670-4837-b434-4ce48e344254\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test40mongo-three-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test40mongo-three-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test40mongo-three-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test40mongo-three-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test40mongo-three-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test40mongo-three-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test40mongo-three-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup4461/providers/Microsoft.DocumentDB/databaseAccounts/accountname1110\",\r\n \"name\": \"accountname1110\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"key1\": \"value1\",\r\n \"key2\": \"value2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-09T20:55:58.8091811Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://accountname1110.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://accountname1110.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": true,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"2ffc1476-50ff-4df5-b1e0-a67a25d4b937\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"AzureServices\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 1000,\r\n \"maxStalenessPrefix\": 300\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"accountname1110-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname1110-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"accountname1110-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname1110-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"accountname1110-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname1110-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"accountname1110-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": [\r\n \"/subscriptions/subId/resourcegroups/rgName/providers/Microsoft.Synapse/workspaces/workspaceName\"\r\n ]\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/java-v4-multimaster-signoff\",\r\n \"name\": \"java-v4-multimaster-signoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-09T21:04:08.234252Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://java-v4-multimaster-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"2a69724f-bb3b-4837-bbb9-631a4a4eed61\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"java-v4-multimaster-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-v4-multimaster-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"java-v4-multimaster-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://java-v4-multimaster-signoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"java-v4-multimaster-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-v4-multimaster-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"java-v4-multimaster-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://java-v4-multimaster-signoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"java-v4-multimaster-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-v4-multimaster-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"java-v4-multimaster-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://java-v4-multimaster-signoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"java-v4-multimaster-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"java-v4-multimaster-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/hidhawal-pk/providers/Microsoft.DocumentDB/databaseAccounts/hidhawal-pktest\",\r\n \"name\": \"hidhawal-pktest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-17T01:24:37.0300785Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://hidhawal-pktest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"bf9099b4-3bf3-4278-8c5a-6bc6b5bd0b6c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"hidhawal-pktest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://hidhawal-pktest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"hidhawal-pktest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://hidhawal-pktest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"hidhawal-pktest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://hidhawal-pktest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"hidhawal-pktest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stageeastus2cs1-sqlx\",\r\n \"name\": \"canary-stageeastus2cs1-sqlx\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-17T19:57:24.5713914Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cs1-sqlx.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a2b3eae8-555e-4e63-87e4-5fd3932188c9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2cs1-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cs1-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2cs1-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cs1-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stageeastus2cs1-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cs1-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stageeastus2cs1-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/craigmci/providers/Microsoft.DocumentDB/databaseAccounts/craigmcistageupgrade\",\r\n \"name\": \"craigmcistageupgrade\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-18T15:07:22.2501575Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://craigmcistageupgrade.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://craigmcistageupgrade.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"2fadfffd-9d1a-4b2a-8a0a-aff8e3dfe736\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"craigmcistageupgrade-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://craigmcistageupgrade-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"craigmcistageupgrade-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://craigmcistageupgrade-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"craigmcistageupgrade-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://craigmcistageupgrade-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"craigmcistageupgrade-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/kakhandr-rg/providers/Microsoft.DocumentDB/databaseAccounts/multiregion-pitr-billing-test\",\r\n \"name\": \"multiregion-pitr-billing-test\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-19T00:20:17.5689785Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://multiregion-pitr-billing-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"5939cc7f-0bdd-4790-9ac6-a3b281c64f97\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"multiregion-pitr-billing-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://multiregion-pitr-billing-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"multiregion-pitr-billing-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://multiregion-pitr-billing-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"multiregion-pitr-billing-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://multiregion-pitr-billing-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"multiregion-pitr-billing-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://multiregion-pitr-billing-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"multiregion-pitr-billing-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://multiregion-pitr-billing-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"multiregion-pitr-billing-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"multiregion-pitr-billing-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/a54115d5-4356-4771-b7b0-20f475ce5a38\",\r\n \"restoreTimestampInUtc\": \"2021-02-17T00:00:00Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/craigmci/providers/Microsoft.DocumentDB/databaseAccounts/craigmcipstest40\",\r\n \"name\": \"craigmcipstest40\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-19T14:49:59.3225Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://craigmcipstest40.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://craigmcipstest40.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"135fb1a2-e65a-4832-b798-2ce6b24d5ead\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 10,\r\n \"maxStalenessPrefix\": 20\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"craigmcipstest40-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://craigmcipstest40-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"craigmcipstest40-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://craigmcipstest40-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"craigmcipstest40-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://craigmcipstest40-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"craigmcipstest40-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/craigmci/providers/Microsoft.DocumentDB/databaseAccounts/powershelltest3\",\r\n \"name\": \"powershelltest3\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-19T21:45:33.9555487Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://powershelltest3.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://powershelltest3.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d629eae0-fd8f-4314-ad15-7884656ef382\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"powershelltest3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://powershelltest3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"powershelltest3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://powershelltest3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"powershelltest3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://powershelltest3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"powershelltest3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vivekrastage/providers/Microsoft.DocumentDB/databaseAccounts/eytestaccount\",\r\n \"name\": \"eytestaccount\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-20T00:13:44.2195855Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://eytestaccount.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://eytestaccount.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"212565ef-f4ca-4f52-9791-5ac06a6ca17c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"eytestaccount-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://eytestaccount-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"eytestaccount-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://eytestaccount-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"eytestaccount-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://eytestaccount-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"eytestaccount-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shreystagetest/providers/Microsoft.DocumentDB/databaseAccounts/shreytest14\",\r\n \"name\": \"shreytest14\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-20T00:49:36.6854744Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shreytest14.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d0b4d884-644a-4160-afe8-482b2301dc8e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shreytest14-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreytest14-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shreytest14-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreytest14-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shreytest14-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreytest14-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shreytest14-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/wmengstagetest/providers/Microsoft.DocumentDB/databaseAccounts/wmengstageeastus2a\",\r\n \"name\": \"wmengstageeastus2a\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-20T08:06:19.8438893Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://wmengstageeastus2a.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"18eab4fd-4b6b-4879-be92-6b6dc9011e89\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"wmengstageeastus2a-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://wmengstageeastus2a-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"wmengstageeastus2a-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://wmengstageeastus2a-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"wmengstageeastus2a-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://wmengstageeastus2a-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"wmengstageeastus2a-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwini-rg/providers/Microsoft.DocumentDB/databaseAccounts/mong-acis-test1\",\r\n \"name\": \"mong-acis-test1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-22T02:40:11.4494598Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mong-acis-test1.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mong-acis-test1.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"f9215d75-c403-48a3-8583-0e0bc8805721\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mong-acis-test1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mong-acis-test1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mong-acis-test1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mong-acis-test1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mong-acis-test1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mong-acis-test1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mong-acis-test1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwsing-rg/providers/Microsoft.DocumentDB/databaseAccounts/mongo-acis-test2\",\r\n \"name\": \"mongo-acis-test2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-22T02:41:18.9456951Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo-acis-test2.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongo-acis-test2.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a9c9e96c-6e94-49f6-a37f-85876f358394\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo-acis-test2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongo-acis-test2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo-acis-test2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongo-acis-test2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo-acis-test2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongo-acis-test2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo-acis-test2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vivekrastage/providers/Microsoft.DocumentDB/databaseAccounts/eyaccounttest\",\r\n \"name\": \"eyaccounttest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-22T19:36:19.4403448Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://eyaccounttest.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://eyaccounttest.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"ae788764-c612-4bc3-898e-5e02703614a0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"eyaccounttest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://eyaccounttest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"eyaccounttest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://eyaccounttest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"eyaccounttest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://eyaccounttest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"eyaccounttest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shatri_vmss/providers/Microsoft.DocumentDB/databaseAccounts/shatrimongo\",\r\n \"name\": \"shatrimongo\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-22T21:35:10.2385338Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shatrimongo.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://shatrimongo.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"54d58514-d9af-4d5d-bea5-0135b5006330\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shatrimongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shatrimongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shatrimongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shatrimongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shatrimongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shatrimongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shatrimongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/viho-rg-stage/providers/Microsoft.DocumentDB/databaseAccounts/vihomongostage\",\r\n \"name\": \"vihomongostage\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-22T21:47:59.4837289Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vihomongostage.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://vihomongostage.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"4eb3e4f5-41b8-40ce-bcf7-4bb9d768ea39\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vihomongostage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vihomongostage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vihomongostage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vihomongostage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vihomongostage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vihomongostage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vihomongostage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/tvoellm-group/providers/Microsoft.DocumentDB/databaseAccounts/tvoellmdb1\",\r\n \"name\": \"tvoellmdb1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-23T16:55:24.7807978Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tvoellmdb1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"00194f2d-6f8c-4c24-bda4-ad60c97111c4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tvoellmdb1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tvoellmdb1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tvoellmdb1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tvoellmdb1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tvoellmdb1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tvoellmdb1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tvoellmdb1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/tvoellm-group/providers/Microsoft.DocumentDB/databaseAccounts/tvoellmdb3\",\r\n \"name\": \"tvoellmdb3\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-23T17:01:11.0478289Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tvoellmdb3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"11df0155-1170-412e-8d6a-6f58ee58e288\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"keyVaultKeyUri\": \"https://tvoellmkv1.vault.azure.net/keys/tvoellmkey1\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tvoellmdb3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tvoellmdb3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tvoellmdb3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tvoellmdb3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tvoellmdb3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tvoellmdb3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tvoellmdb3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/adt-stage-test-rg/providers/Microsoft.DocumentDB/databaseAccounts/adt-stage-test\",\r\n \"name\": \"adt-stage-test\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlinv2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-25T07:03:40.4901866Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://adt-stage-test.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://adt-stage-test.gremlin.cosmos.windows-ppe.net/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"GremlinV2\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1acc9e5b-7a64-4dec-a2be-f8d928f14a49\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"clusterInstanceCount\": 1,\r\n \"clusterSize\": \"Cosmos.Gremlin.D8s\"\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"adt-stage-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://adt-stage-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"adt-stage-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://adt-stage-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"adt-stage-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://adt-stage-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"adt-stage-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlinV2\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/restore-pitr-mongo32-stage-source\",\r\n \"name\": \"restore-pitr-mongo32-stage-source\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-26T18:11:03.2574337Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://restore-pitr-mongo32-stage-source.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"96aa7f5a-5292-44f3-9d3e-bec163b0de1a\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"restore-pitr-mongo32-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://restore-pitr-mongo32-stage-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"restore-pitr-mongo32-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://restore-pitr-mongo32-stage-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"restore-pitr-mongo32-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://restore-pitr-mongo32-stage-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"restore-pitr-mongo32-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/eadac7e2-61f0-4e07-aaa1-9dbb495ec5a8\",\r\n \"restoreTimestampInUtc\": \"2021-02-04T00:00:00Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/backup-restore/providers/Microsoft.DocumentDB/databaseAccounts/pitr-sql-stage-restored-wrr\",\r\n \"name\": \"pitr-sql-stage-restored-wrr\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T04:36:54.6756547Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-restored-wrr.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c02d9298-7cdb-440f-a16b-0dc3c97d6cde\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-sql-stage-restored-wrr-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-restored-wrr-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-sql-stage-restored-wrr-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-restored-wrr-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-sql-stage-restored-wrr-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-restored-wrr-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-sql-stage-restored-wrr-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/a54115d5-4356-4771-b7b0-20f475ce5a38\",\r\n \"restoreTimestampInUtc\": \"2021-03-03T04:15:51.9427819Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/backup-restore/providers/Microsoft.DocumentDB/databaseAccounts/pitr-sql-stage-restored-wrr1\",\r\n \"name\": \"pitr-sql-stage-restored-wrr1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T05:01:32.5524035Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-restored-wrr1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"00e807ea-76c1-4b2f-afdd-dddc1b15979f\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-sql-stage-restored-wrr1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-restored-wrr1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-sql-stage-restored-wrr1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-restored-wrr1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-sql-stage-restored-wrr1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-restored-wrr1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-sql-stage-restored-wrr1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/a54115d5-4356-4771-b7b0-20f475ce5a38\",\r\n \"restoreTimestampInUtc\": \"2021-03-03T04:42:39.992176Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cph-stage-eastus2-rg/providers/Microsoft.DocumentDB/databaseAccounts/cph-stage-eastus2\",\r\n \"name\": \"cph-stage-eastus2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T17:48:19.1276105Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"f31aaafe-da78-4817-b19d-8cbdc34fa578\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"cph-stage-eastus2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"cph-stage-eastus2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"cph-stage-eastus2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cph-stage-eastus2-rg/providers/Microsoft.DocumentDB/databaseAccounts/cph-stage-eastus2-sql\",\r\n \"name\": \"cph-stage-eastus2-sql\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T17:48:20.0807685Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-sql.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"89b38a77-5be4-412a-a536-f25c0ca39bbe\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts/accountname4367\",\r\n \"name\": \"accountname4367\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"key3\": \"value3\",\r\n \"key4\": \"value4\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T18:00:29.6464864Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://accountname4367.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://accountname4367.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": true,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8eb7f020-b6ed-4c22-a9de-f547f626719b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname4367-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname4367-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname4367-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cassandra-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/cassandrastagesignoff-sea\",\r\n \"name\": \"cassandrastagesignoff-sea\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-01T17:58:49.1912309Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassandrastagesignoff-sea.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassandrastagesignoff-sea.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"f414f7a1-0a00-4e90-8f47-38d2a9dca706\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassandrastagesignoff-sea-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cassandrastagesignoff-sea-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassandrastagesignoff-sea-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cassandrastagesignoff-sea-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassandrastagesignoff-sea-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cassandrastagesignoff-sea-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassandrastagesignoff-sea-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/ash-gremlin1-nb\",\r\n \"name\": \"ash-gremlin1-nb\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-25T23:59:54.3197186Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-gremlin1-nb.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://ash-gremlin1-nb.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"25bcf201-a6c5-4a2e-a05f-174e0be70e39\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-gremlin1-nb-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ash-gremlin1-nb-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-gremlin1-nb-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ash-gremlin1-nb-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-gremlin1-nb-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ash-gremlin1-nb-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-gremlin1-nb-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n },\r\n {\r\n \"name\": \"EnableNotebooks\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ankisrgsea/providers/Microsoft.DocumentDB/databaseAccounts/ankis-cosmos-sea\",\r\n \"name\": \"ankis-cosmos-sea\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-01-30T11:18:31.8357791Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ankis-cosmos-sea.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"e56e34b2-cd4a-4339-a7a3-b58168fa01ee\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ankis-cosmos-sea-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ankis-cosmos-sea-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ankis-cosmos-sea-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ankis-cosmos-sea-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ankis-cosmos-sea-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ankis-cosmos-sea-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ankis-cosmos-sea-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ankis-cosmos-sea-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ankis-cosmos-sea-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ankis-cosmos-sea-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ankis-cosmos-sea-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ankis-cosmos-sea-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ankis-cosmos-sea-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"ankis-cosmos-sea-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stagesoutheastasia1cm1\",\r\n \"name\": \"canary-stagesoutheastasia1cm1\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-12T22:41:30.4176647Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stagesoutheastasia1cm1.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://canary-stagesoutheastasia1cm1.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"646e3e7d-f2c7-4656-83bd-52969dae6294\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stagesoutheastasia1cm1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://canary-stagesoutheastasia1cm1-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stagesoutheastasia1cm1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://canary-stagesoutheastasia1cm1-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stagesoutheastasia1cm1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://canary-stagesoutheastasia1cm1-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stagesoutheastasia1cm1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/artrejo-stage-tip/providers/Microsoft.DocumentDB/databaseAccounts/cassandra-test1\",\r\n \"name\": \"cassandra-test1\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-05-10T18:42:19.9972249Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassandra-test1.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassandra-test1.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"f1041489-ff1b-4a3b-a1e5-ee22675875e4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"ConsistentPrefix\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassandra-test1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cassandra-test1-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassandra-test1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cassandra-test1-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassandra-test1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cassandra-test1-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassandra-test1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [\r\n {\r\n \"allowedOrigins\": \"*\"\r\n }\r\n ],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/babatsai-rg-signoff/providers/Microsoft.DocumentDB/databaseAccounts/cass-stage-test\",\r\n \"name\": \"cass-stage-test\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-04T00:05:39.9258705Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cass-stage-test.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cass-stage-test.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a4e87698-1313-46ca-80bd-a1779e626e00\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cass-stage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cass-stage-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cass-stage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cass-stage-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cass-stage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cass-stage-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cass-stage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/devenj-rg-sea/providers/Microsoft.DocumentDB/databaseAccounts/devenjtestmigrate2\",\r\n \"name\": \"devenjtestmigrate2\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2018-12-04T19:44:10.547179Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://devenjtestmigrate2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"6216b5fa-0a6f-4408-8788-f472c1cd9778\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"devenjtestmigrate2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://devenjtestmigrate2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"devenjtestmigrate2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://devenjtestmigrate2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"devenjtestmigrate2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://devenjtestmigrate2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"devenjtestmigrate2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/collectiontest\",\r\n \"name\": \"collectiontest\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-12-21T02:49:36.6550005Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://collectiontest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"176a9124-1378-4828-9291-b1e21bd79736\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"collectiontest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://collectiontest-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"collectiontest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://collectiontest-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"collectiontest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://collectiontest-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"collectiontest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-stage-cli\",\r\n \"name\": \"gremlin-stage-cli\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-06-06T23:46:54.9893772Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-stage-cli.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-stage-cli.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"41f63eae-7a21-442c-8edb-d74398f087e8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-stage-cli-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://gremlin-stage-cli-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-stage-cli-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://gremlin-stage-cli-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-stage-cli-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://gremlin-stage-cli-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-stage-cli-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-stage\",\r\n \"name\": \"gremlin-stage\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-06-06T22:47:26.669989Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-stage.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-stage.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a3f63ba1-94b2-4ddb-b49c-2cc457a7adf5\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://gremlin-stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://gremlin-stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://gremlin-stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/arkhetar-staging/providers/Microsoft.DocumentDB/databaseAccounts/arkhetar-operation-log-test\",\r\n \"name\": \"arkhetar-operation-log-test\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-01-10T20:52:05.6104687Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://arkhetar-operation-log-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"216716d2-7f59-4f8b-be8d-f242703cfdb8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"arkhetar-operation-log-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://arkhetar-operation-log-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"arkhetar-operation-log-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://arkhetar-operation-log-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"arkhetar-operation-log-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://arkhetar-operation-log-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"arkhetar-operation-log-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/babatsai-rg-signoff/providers/Microsoft.DocumentDB/databaseAccounts/mongo-stage-test\",\r\n \"name\": \"mongo-stage-test\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-04T00:05:37.7510335Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo-stage-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"b1e06879-5f95-47c5-bf21-29d62e080c5a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo-stage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-stage-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo-stage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-stage-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo-stage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-stage-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo-stage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shtan-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/restored-shtan-stage\",\r\n \"name\": \"restored-shtan-stage\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\",\r\n \"restoredSourceDatabaseAccountName\": \"shtan-stage\",\r\n \"restoredAtTimestamp\": \"10/30/2019 5:29:18 PM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-30T17:47:49.8052668Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://restored-shtan-stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"cff6e11d-6879-4530-bb43-ececf73b1499\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"restored-shtan-stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://restored-shtan-stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"restored-shtan-stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://restored-shtan-stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"restored-shtan-stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://restored-shtan-stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"restored-shtan-stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai-test/providers/Microsoft.DocumentDB/databaseAccounts/test-mongo-vir\",\r\n \"name\": \"test-mongo-vir\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-26T21:17:16.5969022Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-mongo-vir.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"abec24f9-4e6a-45d4-8bbe-fefe85aea77d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-mongo-vir-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://test-mongo-vir-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-mongo-vir-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://test-mongo-vir-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-mongo-vir-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://test-mongo-vir-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-mongo-vir-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"104.42.195.92\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"40.76.54.131\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.176.6.30\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.169.50.45\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.187.184.26\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai-test/providers/Microsoft.DocumentDB/databaseAccounts/test-virangai-mongo\",\r\n \"name\": \"test-virangai-mongo\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-26T19:50:46.97713Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-virangai-mongo.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://test-virangai-mongo.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"54db8f31-155f-461e-a007-4a87ff5c4165\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-virangai-mongo-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://test-virangai-mongo-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"test-virangai-mongo-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test-virangai-mongo-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-virangai-mongo-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://test-virangai-mongo-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"test-virangai-mongo-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test-virangai-mongo-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-virangai-mongo-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://test-virangai-mongo-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"test-virangai-mongo-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test-virangai-mongo-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-virangai-mongo-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"test-virangai-mongo-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test/providers/Microsoft.DocumentDB/databaseAccounts/testps1stage\",\r\n \"name\": \"testps1stage\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-08-22T20:38:40.0420574Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testps1stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"72684018-71c7-435e-b4d6-eedb27097b8c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testps1stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testps1stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testps1stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testps1stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testps1stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testps1stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testps1stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testps1stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testps1stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testps1stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testps1stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"testps1stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/testrupergbchange\",\r\n \"name\": \"testrupergbchange\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-02-04T21:47:25.8300419Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testrupergbchange.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"aeb09751-074e-4ac0-a763-513f0b5ddd5f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testrupergbchange-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testrupergbchange-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testrupergbchange-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testrupergbchange-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testrupergbchange-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testrupergbchange-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testrupergbchange-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/testsnapshotacrossisolation\",\r\n \"name\": \"testsnapshotacrossisolation\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-02-07T05:12:12.3503504Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testsnapshotacrossisolation.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"15e797c4-efb5-4fc4-b7d3-67e0eb8cc98a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testsnapshotacrossisolation-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testsnapshotacrossisolation-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testsnapshotacrossisolation-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testsnapshotacrossisolation-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testsnapshotacrossisolation-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testsnapshotacrossisolation-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testsnapshotacrossisolation-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/todeletestageaccount\",\r\n \"name\": \"todeletestageaccount\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-02-16T01:08:17.9789915Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://todeletestageaccount.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c761b4d0-3564-4436-856c-3565caba9250\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"todeletestageaccount-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://todeletestageaccount-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"todeletestageaccount-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://todeletestageaccount-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"todeletestageaccount-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://todeletestageaccount-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"todeletestageaccount-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/babatsai-rg-signoff/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-stage-test\",\r\n \"name\": \"gremlin-stage-test\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-04T00:03:36.6216702Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-stage-test.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-stage-test.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"e91f4e41-cc91-40dc-a28e-40a43daf061b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-stage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://gremlin-stage-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-stage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://gremlin-stage-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-stage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://gremlin-stage-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-stage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/arkhetar-staging/providers/Microsoft.DocumentDB/databaseAccounts/arkhetar-operation-log-v2\",\r\n \"name\": \"arkhetar-operation-log-v2\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-01-11T03:26:07.898302Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://arkhetar-operation-log-v2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"92370172-7225-4cca-b8c4-0649071b150d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"arkhetar-operation-log-v2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://arkhetar-operation-log-v2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"arkhetar-operation-log-v2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://arkhetar-operation-log-v2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"arkhetar-operation-log-v2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://arkhetar-operation-log-v2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"arkhetar-operation-log-v2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/mongostagesignoff10\",\r\n \"name\": \"mongostagesignoff10\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-26T21:15:49.1409234Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongostagesignoff10.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongostagesignoff10.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8d294fdb-23d3-406d-8f89-43fef80850e0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongostagesignoff10-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongostagesignoff10-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongostagesignoff10-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongostagesignoff10-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongostagesignoff10-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongostagesignoff10-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongostagesignoff10-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongostagesignoff10-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongostagesignoff10-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongostagesignoff10-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongostagesignoff10-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongostagesignoff10-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongostagesignoff10-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"mongostagesignoff10-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sanayak-test/providers/Microsoft.DocumentDB/databaseAccounts/synapsetest\",\r\n \"name\": \"synapsetest\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-11-07T06:30:14.5936506Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://synapsetest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"instanceId\": \"56f736d8-a386-43cf-83ba-726caa749422\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"synapsetest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://synapsetest-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"synapsetest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://synapsetest-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"synapsetest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://synapsetest-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"synapsetest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/testrupergbnewchanges\",\r\n \"name\": \"testrupergbnewchanges\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-02-05T00:14:11.884366Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testrupergbnewchanges.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"5ad586e0-7aa5-4c6f-afae-a9676b19ba58\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testrupergbnewchanges-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testrupergbnewchanges-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testrupergbnewchanges-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testrupergbnewchanges-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testrupergbnewchanges-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testrupergbnewchanges-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testrupergbnewchanges-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/mongostagesignoff6\",\r\n \"name\": \"mongostagesignoff6\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-26T18:02:08.3103789Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongostagesignoff6.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongostagesignoff6.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"f0798ce6-45be-41fe-8fcc-1f4f02e26ec4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongostagesignoff6-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongostagesignoff6-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongostagesignoff6-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongostagesignoff6-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongostagesignoff6-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongostagesignoff6-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongostagesignoff6-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"104.42.195.92\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"40.76.54.131\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.176.6.30\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.169.50.45\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.187.184.26\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sanayak-test/providers/Microsoft.DocumentDB/databaseAccounts/synapsetest2\",\r\n \"name\": \"synapsetest2\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-11-12T11:28:24.2523803Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://synapsetest2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1f06202e-7069-4eec-b1e9-59e133121ccf\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"synapsetest2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://synapsetest2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"synapsetest2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://synapsetest2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"synapsetest2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://synapsetest2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"synapsetest2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/testrupergbnewchanges3\",\r\n \"name\": \"testrupergbnewchanges3\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-02-05T05:44:27.7389572Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testrupergbnewchanges3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8d5f7daa-9eff-499a-be92-6fc12668f40c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testrupergbnewchanges3-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testrupergbnewchanges3-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testrupergbnewchanges3-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testrupergbnewchanges3-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testrupergbnewchanges3-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testrupergbnewchanges3-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testrupergbnewchanges3-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/mongostagesignoff9\",\r\n \"name\": \"mongostagesignoff9\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-26T20:34:41.6072311Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongostagesignoff9.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongostagesignoff9.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"6eb158ff-8c80-433e-b1e0-0a6425f2cd4a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongostagesignoff9-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongostagesignoff9-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongostagesignoff9-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongostagesignoff9-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongostagesignoff9-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongostagesignoff9-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongostagesignoff9-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"104.42.195.92\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"40.76.54.131\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.176.6.30\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.169.50.45\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.187.184.26\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/babatsai-rg-signoff/providers/Microsoft.DocumentDB/databaseAccounts/table-stage-signoff\",\r\n \"name\": \"table-stage-signoff\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-04T00:07:39.5017435Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://table-stage-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://table-stage-signoff.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"fd8515df-67f5-4748-b951-c10606f2823d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"table-stage-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://table-stage-signoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"table-stage-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://table-stage-signoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"table-stage-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://table-stage-signoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"table-stage-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-staging1\",\r\n \"name\": \"canary-staging1\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-16T21:38:27.5972509Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-staging1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"155de475-9b6d-4553-91e0-47203504dc22\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-staging1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://canary-staging1-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-staging1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://canary-staging1-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-staging1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://canary-staging1-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-staging1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwsing-rg/providers/Microsoft.DocumentDB/databaseAccounts/mongo-acis-test4\",\r\n \"name\": \"mongo-acis-test4\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-22T03:18:28.6833509Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo-acis-test4.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongo-acis-test4.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"7a2285d2-e2d5-45a0-8daa-de1e71153c1f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo-acis-test4-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-acis-test4-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo-acis-test4-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-acis-test4-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo-acis-test4-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-acis-test4-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo-acis-test4-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwini-rg/providers/Microsoft.DocumentDB/databaseAccounts/mongo-acis-test5\",\r\n \"name\": \"mongo-acis-test5\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-22T04:01:38.5811379Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo-acis-test5.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongo-acis-test5.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c23aa4da-a098-4aa0-9136-f2cb30175840\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo-acis-test5-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-acis-test5-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo-acis-test5-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-acis-test5-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo-acis-test5-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-acis-test5-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo-acis-test5-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwsing-rg/providers/Microsoft.DocumentDB/databaseAccounts/mongo-acis-test6\",\r\n \"name\": \"mongo-acis-test6\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-22T04:25:11.5767367Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo-acis-test6.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"40c9c14c-81f4-4d92-b7aa-f8e1e90291eb\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo-acis-test6-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-acis-test6-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo-acis-test6-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-acis-test6-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo-acis-test6-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-acis-test6-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo-acis-test6-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cph-stage-southeastasia-rg/providers/Microsoft.DocumentDB/databaseAccounts/cph-stage-southeastasia-cx\",\r\n \"name\": \"cph-stage-southeastasia-cx\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T17:53:54.5052578Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-cx.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cph-stage-southeastasia-cx.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8f3bffaf-8e56-477b-9547-577841754c9d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-cx-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-cx-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-cx-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-cx-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-cx-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-cx-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-cx-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cph-stage-southeastasia-rg/providers/Microsoft.DocumentDB/databaseAccounts/cph-stage-southeastasia\",\r\n \"name\": \"cph-stage-southeastasia\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T17:53:19.3784463Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"13b32aba-f174-4103-a592-5c738f92c3ba\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"cph-stage-southeastasia-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Deleting\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"cph-stage-southeastasia-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Deleting\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"cph-stage-southeastasia-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cph-stage-southeastasia-rg/providers/Microsoft.DocumentDB/databaseAccounts/cph-stage-southeastasia-gln\",\r\n \"name\": \"cph-stage-southeastasia-gln\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T17:54:05.7716035Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-gln.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://cph-stage-southeastasia-gln.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"e620c5a8-a635-4e1f-8313-4e0ee456f0b2\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-gln-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-gln-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-gln-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-gln-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-gln-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-gln-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-gln-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cph-stage-southeastasia-rg/providers/Microsoft.DocumentDB/databaseAccounts/cph-stage-southeastasia-mgo32\",\r\n \"name\": \"cph-stage-southeastasia-mgo32\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T17:53:31.1934245Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-mgo32.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"fdb66324-522d-4bcf-b1ad-b20fffd08807\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-mgo32-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-mgo32-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-mgo32-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-mgo32-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-mgo32-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-mgo32-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-mgo32-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cph-stage-southeastasia-rg/providers/Microsoft.DocumentDB/databaseAccounts/cph-stage-southeastasia-sql\",\r\n \"name\": \"cph-stage-southeastasia-sql\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T17:53:41.9030262Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-sql.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1f36b42f-5dc2-4208-80ac-221642d516e6\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-sql-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-sql-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-sql-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-sql-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-sql-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-sql-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-sql-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n }\r\n ]\r\n}", + "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ragil/providers/Microsoft.DocumentDB/databaseAccounts/ragil-mongo-36\",\r\n \"name\": \"ragil-mongo-36\",\r\n \"location\": \"France Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-20T17:32:19.64468Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ragil-mongo-36.documents.azure.com:443/\",\r\n \"mongoEndpoint\": \"https://ragil-mongo-36.mongo.cosmos.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"e1276bdc-92ab-4806-91b0-ab3c9a7cad45\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ragil-mongo-36-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://ragil-mongo-36-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ragil-mongo-36-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://ragil-mongo-36-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ragil-mongo-36-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://ragil-mongo-36-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ragil-mongo-36-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi-test-mongo/providers/Microsoft.DocumentDB/databaseAccounts/actualmongoqwert36singlelocation\",\r\n \"name\": \"actualmongoqwert36singlelocation\",\r\n \"location\": \"France Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-17T01:42:42.6939712Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://actualmongoqwert36singlelocation.documents.azure.com:443/\",\r\n \"mongoEndpoint\": \"https://actualmongoqwert36singlelocation.mongo.cosmos.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"1d7750a0-7edf-4939-b486-370d049c1e5b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"actualmongoqwert36singlelocation-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert36singlelocation-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"actualmongoqwert36singlelocation-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert36singlelocation-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"actualmongoqwert36singlelocation-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert36singlelocation-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"actualmongoqwert36singlelocation-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ratnakv/providers/Microsoft.DocumentDB/databaseAccounts/ratna-test\",\r\n \"name\": \"ratna-test\",\r\n \"location\": \"France Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-05-31T23:05:44.5987225Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ratna-test.documents.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"dea07b6f-1d64-4485-939b-4f04b34e8769\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ratna-test-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://ratna-test-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ratna-test-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://ratna-test-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ratna-test-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://ratna-test-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ratna-test-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableAggregationPipeline\"\r\n },\r\n {\r\n \"name\": \"AllowSelfServeUpgradeToMongo36\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashtest/providers/Microsoft.DocumentDB/databaseAccounts/ash-sql123\",\r\n \"name\": \"ash-sql123\",\r\n \"location\": \"Australia Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-11-15T00:15:57.3414948Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-sql123.documents.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"69a22da2-80fc-4341-9690-9218800628c2\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-sql123-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://ash-sql123-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ash-sql123-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ash-sql123-southeastasia.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ash-sql123-eastasia\",\r\n \"locationName\": \"East Asia\",\r\n \"documentEndpoint\": \"https://ash-sql123-eastasia.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-sql123-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://ash-sql123-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ash-sql123-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ash-sql123-southeastasia.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ash-sql123-eastasia\",\r\n \"locationName\": \"East Asia\",\r\n \"documentEndpoint\": \"https://ash-sql123-eastasia.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-sql123-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://ash-sql123-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ash-sql123-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ash-sql123-southeastasia.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ash-sql123-eastasia\",\r\n \"locationName\": \"East Asia\",\r\n \"documentEndpoint\": \"https://ash-sql123-eastasia.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-sql123-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"ash-sql123-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 1\r\n },\r\n {\r\n \"id\": \"ash-sql123-eastasia\",\r\n \"locationName\": \"East Asia\",\r\n \"failoverPriority\": 2\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 10,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/testdupdel\",\r\n \"name\": \"testdupdel\",\r\n \"location\": \"Australia Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-24T18:04:52.1779802Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testdupdel.documents.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"a6124ad6-c6d8-4082-b0a7-f422eef7bf22\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testdupdel-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://testdupdel-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testdupdel-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://testdupdel-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testdupdel-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://testdupdel-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testdupdel-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi-test-mongo/providers/Microsoft.DocumentDB/databaseAccounts/actualmongoqwert2\",\r\n \"name\": \"actualmongoqwert2\",\r\n \"location\": \"Australia Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-17T01:45:36.1697892Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://actualmongoqwert2.documents.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"9ee6cd48-1f3a-48a1-99df-b952f975f176\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"actualmongoqwert2-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert2-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"actualmongoqwert2-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert2-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"actualmongoqwert2-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert2-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"actualmongoqwert2-eastus\",\r\n \"locationName\": \"East US\",\r\n \"documentEndpoint\": \"https://actualmongoqwert2-eastus.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"actualmongoqwert2-germanywestcentral\",\r\n \"locationName\": \"Germany West Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert2-germanywestcentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 3,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"actualmongoqwert2-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert2-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"actualmongoqwert2-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert2-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"actualmongoqwert2-eastus\",\r\n \"locationName\": \"East US\",\r\n \"documentEndpoint\": \"https://actualmongoqwert2-eastus.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"actualmongoqwert2-germanywestcentral\",\r\n \"locationName\": \"Germany West Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert2-germanywestcentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 3,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"actualmongoqwert2-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"actualmongoqwert2-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"failoverPriority\": 1\r\n },\r\n {\r\n \"id\": \"actualmongoqwert2-eastus\",\r\n \"locationName\": \"East US\",\r\n \"failoverPriority\": 2\r\n },\r\n {\r\n \"id\": \"actualmongoqwert2-germanywestcentral\",\r\n \"locationName\": \"Germany West Central\",\r\n \"failoverPriority\": 3\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi-test-mongo/providers/Microsoft.DocumentDB/databaseAccounts/actualmongoqwert36\",\r\n \"name\": \"actualmongoqwert36\",\r\n \"location\": \"Australia Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-17T01:45:20.280228Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://actualmongoqwert36.documents.azure.com:443/\",\r\n \"mongoEndpoint\": \"https://actualmongoqwert36.mongo.cosmos.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"22ceddea-71b4-4a5e-beb2-5ab8231205fc\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"actualmongoqwert36-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert36-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"actualmongoqwert36-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert36-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"actualmongoqwert36-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert36-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"actualmongoqwert36-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert36-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"actualmongoqwert36-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://actualmongoqwert36-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"actualmongoqwert36-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"actualmongoqwert36-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/asdfasdfasdfasdf123456788921\",\r\n \"name\": \"asdfasdfasdfasdf123456788921\",\r\n \"location\": \"Australia Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-11-12T23:23:02.7912894Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://asdfasdfasdfasdf123456788921.documents.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"34d91df2-6e99-4100-bdc0-1540e6a4ed0a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"asdfasdfasdfasdf123456788921-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://asdfasdfasdfasdf123456788921-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"asdfasdfasdfasdf123456788921-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://asdfasdfasdfasdf123456788921-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"asdfasdfasdfasdf123456788921-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://asdfasdfasdfasdf123456788921-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"asdfasdfasdfasdf123456788921-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/ash-sqltest1\",\r\n \"name\": \"ash-sqltest1\",\r\n \"location\": \"Australia Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-25T19:31:26.5143301Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-sqltest1.documents.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"c96a51f5-e646-469a-bccf-ca0834269ada\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-sqltest1-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://ash-sqltest1-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-sqltest1-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://ash-sqltest1-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-sqltest1-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://ash-sqltest1-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-sqltest1-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/Devansh-Test_env/providers/Microsoft.DocumentDB/databaseAccounts/defrag-testing\",\r\n \"name\": \"defrag-testing\",\r\n \"location\": \"Australia Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-01T03:28:01.8404106Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://defrag-testing.documents.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"68cff86c-b880-4d09-8211-4a6e4b38a9a0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"defrag-testing-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://defrag-testing-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"defrag-testing-australiacentral2\",\r\n \"locationName\": \"Australia Central 2\",\r\n \"documentEndpoint\": \"https://defrag-testing-australiacentral2.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"defrag-testing-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://defrag-testing-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"defrag-testing-australiacentral2\",\r\n \"locationName\": \"Australia Central 2\",\r\n \"documentEndpoint\": \"https://defrag-testing-australiacentral2.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"defrag-testing-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://defrag-testing-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"defrag-testing-australiacentral2\",\r\n \"locationName\": \"Australia Central 2\",\r\n \"documentEndpoint\": \"https://defrag-testing-australiacentral2.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"defrag-testing-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"defrag-testing-australiacentral2\",\r\n \"locationName\": \"Australia Central 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableNotebooks\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi-test-mongo/providers/Microsoft.DocumentDB/databaseAccounts/mongo-ahc7b66s2t4kc\",\r\n \"name\": \"mongo-ahc7b66s2t4kc\",\r\n \"location\": \"Australia Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-03-10T18:27:13.1493942Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo-ahc7b66s2t4kc.documents.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8cac4b70-6901-442c-80bb-4c5b946099fd\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo-ahc7b66s2t4kc-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongo-ahc7b66s2t4kc-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo-ahc7b66s2t4kc-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongo-ahc7b66s2t4kc-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo-ahc7b66s2t4kc-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongo-ahc7b66s2t4kc-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo-ahc7b66s2t4kc-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"AllowSelfServeUpgradeToMongo36\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi-test-mongo/providers/Microsoft.DocumentDB/databaseAccounts/mongoclient2222\",\r\n \"name\": \"mongoclient2222\",\r\n \"location\": \"Australia Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-23T22:45:44.9511468Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongoclient2222.documents.azure.com:443/\",\r\n \"mongoEndpoint\": \"https://mongoclient2222.mongo.cosmos.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"bec6897c-ab77-4059-afa2-83ce4b16f2bd\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongoclient2222-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongoclient2222-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongoclient2222-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongoclient2222-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongoclient2222-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongoclient2222-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongoclient2222-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi-test-mongo/providers/Microsoft.DocumentDB/databaseAccounts/mongodb-ahc7b66s2t4kc\",\r\n \"name\": \"mongodb-ahc7b66s2t4kc\",\r\n \"location\": \"Australia Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-03-10T00:11:44.1130123Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongodb-ahc7b66s2t4kc.documents.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"14ce2af7-9f51-480f-8c7a-3875188fc020\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongodb-ahc7b66s2t4kc-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongodb-ahc7b66s2t4kc-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongodb-ahc7b66s2t4kc-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongodb-ahc7b66s2t4kc-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongodb-ahc7b66s2t4kc-switzerlandnorth\",\r\n \"locationName\": \"Switzerland North\",\r\n \"documentEndpoint\": \"https://mongodb-ahc7b66s2t4kc-switzerlandnorth.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongodb-ahc7b66s2t4kc-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongodb-ahc7b66s2t4kc-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongodb-ahc7b66s2t4kc-switzerlandnorth\",\r\n \"locationName\": \"Switzerland North\",\r\n \"documentEndpoint\": \"https://mongodb-ahc7b66s2t4kc-switzerlandnorth.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongodb-ahc7b66s2t4kc-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"mongodb-ahc7b66s2t4kc-switzerlandnorth\",\r\n \"locationName\": \"Switzerland North\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"AllowSelfServeUpgradeToMongo36\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi-test-mongo/providers/Microsoft.DocumentDB/databaseAccounts/mongodb1123\",\r\n \"name\": \"mongodb1123\",\r\n \"location\": \"Australia Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-03-10T00:29:19.9514236Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongodb1123.documents.azure.com:443/\",\r\n \"mongoEndpoint\": \"https://mongodb1123.mongo.cosmos.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"2e2249f2-12a8-4c01-be77-2c05c4049b8f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongodb1123-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongodb1123-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongodb1123-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongodb1123-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongodb1123-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://mongodb1123-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongodb1123-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongodb1123-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongodb1123-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://mongodb1123-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongodb1123-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"mongodb1123-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"MongoDBv3.4\"\r\n },\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi-test-mongo/providers/Microsoft.DocumentDB/databaseAccounts/mongoqwert\",\r\n \"name\": \"mongoqwert\",\r\n \"location\": \"Australia Central\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-03-10T00:54:16.955988Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongoqwert.documents.azure.com:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"d9ddecd5-4460-4106-b074-b6c09bcb4104\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongoqwert-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongoqwert-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongoqwert-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongoqwert-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongoqwert-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://mongoqwert-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongoqwert-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"documentEndpoint\": \"https://mongoqwert-australiacentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongoqwert-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"documentEndpoint\": \"https://mongoqwert-francecentral.documents.azure.com:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongoqwert-australiacentral\",\r\n \"locationName\": \"Australia Central\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"mongoqwert-francecentral\",\r\n \"locationName\": \"France Central\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"AllowSelfServeUpgradeToMongo36\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/ash-gremlin-test\",\r\n \"name\": \"ash-gremlin-test\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-25T22:02:12.9775347Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-gremlin-test.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://ash-gremlin-test.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"0830695b-8432-4b15-88d3-45b685e0b6a4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-gremlin-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://ash-gremlin-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-gremlin-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://ash-gremlin-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-gremlin-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://ash-gremlin-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-gremlin-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/ash-table-test\",\r\n \"name\": \"ash-table-test\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-25T23:21:50.1375571Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-table-test.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://ash-table-test.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"38b9a7a6-ac1c-4b98-b010-848d48deab03\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-table-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://ash-table-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-table-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://ash-table-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-table-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://ash-table-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-table-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [\r\n {\r\n \"allowedOrigins\": \"*\"\r\n }\r\n ],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/boeing-garyrush/providers/Microsoft.DocumentDB/databaseAccounts/boeingevents\",\r\n \"name\": \"boeingevents\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-04T19:57:40.2034526Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://boeingevents.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://boeingevents.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"b8f5d2d7-f46e-4b55-99ef-a287df9dfbea\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"boeingevents-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://boeingevents-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"boeingevents-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://boeingevents-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"boeingevents-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://boeingevents-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"boeingevents-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stagenorthcentralus1cm1\",\r\n \"name\": \"canary-stagenorthcentralus1cm1\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-12T22:39:06.6621633Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stagenorthcentralus1cm1.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://canary-stagenorthcentralus1cm1.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"0ed64378-9372-4bdc-85d5-96ccfeae9509\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stagenorthcentralus1cm1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://canary-stagenorthcentralus1cm1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stagenorthcentralus1cm1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://canary-stagenorthcentralus1cm1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stagenorthcentralus1cm1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://canary-stagenorthcentralus1cm1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stagenorthcentralus1cm1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-staging2\",\r\n \"name\": \"canary-staging2\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-16T21:30:41.3739266Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-staging2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"61b7d6c8-81c7-41ff-b29c-d7adde252039\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-staging2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://canary-staging2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-staging2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://canary-staging2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-staging2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://canary-staging2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-staging2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jihmmtest/providers/Microsoft.DocumentDB/databaseAccounts/casey-mm-test\",\r\n \"name\": \"casey-mm-test\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-18T04:02:51.220772Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://casey-mm-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"71f7e1be-2559-4117-8a47-93851f42e94f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"casey-mm-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://casey-mm-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"casey-mm-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://casey-mm-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"casey-mm-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://casey-mm-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"casey-mm-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://casey-mm-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"casey-mm-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://casey-mm-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"casey-mm-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://casey-mm-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"casey-mm-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://casey-mm-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"casey-mm-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://casey-mm-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"casey-mm-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://casey-mm-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"casey-mm-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"casey-mm-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n },\r\n {\r\n \"id\": \"casey-mm-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 2\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cassandra-platform-signoff-ncus03-rg/providers/Microsoft.DocumentDB/databaseAccounts/cassandra-platform-signoff-ncus03\",\r\n \"name\": \"cassandra-platform-signoff-ncus03\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2018-10-15T10:36:12.4906826Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassandra-platform-signoff-ncus03.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassandra-platform-signoff-ncus03.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d87fd03a-7c5e-4ec2-9de1-778dcdf98987\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassandra-platform-signoff-ncus03-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cassandra-platform-signoff-ncus03-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassandra-platform-signoff-ncus03-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cassandra-platform-signoff-ncus03-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassandra-platform-signoff-ncus03-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cassandra-platform-signoff-ncus03-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassandra-platform-signoff-ncus03-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vivekrasignoff/providers/Microsoft.DocumentDB/databaseAccounts/cassandraquerysignoff\",\r\n \"name\": \"cassandraquerysignoff\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-19T17:30:36.8546547Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassandraquerysignoff.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassandraquerysignoff.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"93e68f3b-99a2-492a-a4a5-77e994432a0f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassandraquerysignoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cassandraquerysignoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassandraquerysignoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cassandraquerysignoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassandraquerysignoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cassandraquerysignoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassandraquerysignoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/stagerunner/providers/Microsoft.DocumentDB/databaseAccounts/cassandrastagemetricsrunner\",\r\n \"name\": \"cassandrastagemetricsrunner\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"owner\": \"vivekra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-11-15T20:32:07.5253872Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassandrastagemetricsrunner.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassandrastagemetricsrunner.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"22dfff04-c0bf-4387-8f4e-72028fafb564\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassandrastagemetricsrunner-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cassandrastagemetricsrunner-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassandrastagemetricsrunner-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cassandrastagemetricsrunner-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassandrastagemetricsrunner-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cassandrastagemetricsrunner-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassandrastagemetricsrunner-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vivekrasignoff/providers/Microsoft.DocumentDB/databaseAccounts/cassstagesignoffvivekra\",\r\n \"name\": \"cassstagesignoffvivekra\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-06-10T18:34:35.5190767Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassstagesignoffvivekra.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassstagesignoffvivekra.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"9b178109-696d-4630-8c69-49c479d44b1c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassstagesignoffvivekra-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cassstagesignoffvivekra-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassstagesignoffvivekra-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cassstagesignoffvivekra-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassstagesignoffvivekra-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cassstagesignoffvivekra-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassstagesignoffvivekra-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ccxstagevalidationrg/providers/Microsoft.DocumentDB/databaseAccounts/ccx-edge-mm-demo-backup\",\r\n \"name\": \"ccx-edge-mm-demo-backup\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-11T00:08:26.5965782Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ccx-edge-mm-demo-backup.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://ccx-edge-mm-demo-backup.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"2e5499ec-ff2e-4928-941d-36781974cac9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"small\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ccx-edge-mm-demo-backup-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://ccx-edge-mm-demo-backup-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ccx-edge-mm-demo-backup-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://ccx-edge-mm-demo-backup-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ccx-edge-mm-demo-backup-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://ccx-edge-mm-demo-backup-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ccx-edge-mm-demo-backup-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/chrande-test/providers/Microsoft.DocumentDB/databaseAccounts/chrande-mongo-test-40-portal\",\r\n \"name\": \"chrande-mongo-test-40-portal\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-22T02:28:23.312616Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://chrande-mongo-test-40-portal.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://chrande-mongo-test-40-portal.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"8bd4d04e-56a6-450c-9b0b-761242f321ee\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"chrande-mongo-test-40-portal-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://chrande-mongo-test-40-portal-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"chrande-mongo-test-40-portal-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://chrande-mongo-test-40-portal-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"chrande-mongo-test-40-portal-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://chrande-mongo-test-40-portal-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"chrande-mongo-test-40-portal-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/chrande-test/providers/Microsoft.DocumentDB/databaseAccounts/chrande-test-mongo-32-update\",\r\n \"name\": \"chrande-test-mongo-32-update\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-22T04:34:44.2723741Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://chrande-test-mongo-32-update.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://chrande-test-mongo-32-update.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"f99944e3-ffe6-4214-b163-6beb06deb5a1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"chrande-test-mongo-32-update-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://chrande-test-mongo-32-update-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"chrande-test-mongo-32-update-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://chrande-test-mongo-32-update-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"chrande-test-mongo-32-update-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://chrande-test-mongo-32-update-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"chrande-test-mongo-32-update-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ratnakv/providers/Microsoft.DocumentDB/databaseAccounts/computecachetest\",\r\n \"name\": \"computecachetest\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-04-29T18:40:43.9744746Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://computecachetest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c39267d2-3c84-4da9-a57f-59b1c4a65a50\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"computecachetest-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://computecachetest-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"computecachetest-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://computecachetest-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"computecachetest-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://computecachetest-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"computecachetest-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ratnakv/providers/Microsoft.DocumentDB/databaseAccounts/computecachetest2\",\r\n \"name\": \"computecachetest2\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-04-29T19:04:39.9778253Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://computecachetest2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"9c5c13db-83a8-4fe8-b88b-ec237724175a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"computecachetest2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://computecachetest2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"computecachetest2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://computecachetest2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"computecachetest2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://computecachetest2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"computecachetest2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/demo/providers/Microsoft.DocumentDB/databaseAccounts/cosmos-gremlin-cli-signoff\",\r\n \"name\": \"cosmos-gremlin-cli-signoff\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-05-10T22:08:25.8050599Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cosmos-gremlin-cli-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://cosmos-gremlin-cli-signoff.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"3793a1a9-5d81-4f95-a6b9-952bcabe863c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cosmos-gremlin-cli-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cosmos-gremlin-cli-signoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cosmos-gremlin-cli-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cosmos-gremlin-cli-signoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cosmos-gremlin-cli-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cosmos-gremlin-cli-signoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cosmos-gremlin-cli-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cosmosxinfrastructure/providers/Microsoft.DocumentDB/databaseAccounts/cosmosxinfradb\",\r\n \"name\": \"cosmosxinfradb\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\",\r\n \"contact\": \"cosmosxc\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-10-25T06:18:35.0254807Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cosmosxinfradb.documents-staging.windows-ppe.net:443/\",\r\n \"sqlEndpoint\": \"https://cosmosxinfradb.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"355ca5b8-788f-46cd-967c-c2337782b8a4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cosmosxinfradb-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cosmosxinfradb-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cosmosxinfradb-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cosmosxinfradb-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cosmosxinfradb-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cosmosxinfradb-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cosmosxinfradb-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSql\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/crowdkeeppreview/providers/Microsoft.DocumentDB/databaseAccounts/crowdkeep\",\r\n \"name\": \"crowdkeep\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-06T08:42:40.758407Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://crowdkeep.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://crowdkeep.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"5a0a760f-04e9-45c5-98f3-b393685acc68\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"crowdkeep-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://crowdkeep-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"crowdkeep-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://crowdkeep-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"crowdkeep-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://crowdkeep-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"crowdkeep-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mongo-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/cursortest-mongo\",\r\n \"name\": \"cursortest-mongo\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"MongoDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-11-07T22:17:50.0537296Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cursortest-mongo.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://cursortest-mongo.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"57029808-86eb-4ac9-96ef-675990245d9f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cursortest-mongo-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cursortest-mongo-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"cursortest-mongo-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cursortest-mongo-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cursortest-mongo-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cursortest-mongo-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"cursortest-mongo-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cursortest-mongo-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cursortest-mongo-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cursortest-mongo-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"cursortest-mongo-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cursortest-mongo-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cursortest-mongo-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"cursortest-mongo-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cosmosdbqueryteam/providers/Microsoft.DocumentDB/databaseAccounts/customertest1\",\r\n \"name\": \"customertest1\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-02-12T07:13:03.2287797Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://customertest1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a20ca0bd-f814-4153-8fe0-afd87f2fa65c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"customertest1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://customertest1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"customertest1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://customertest1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"customertest1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://customertest1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"customertest1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [\r\n {\r\n \"allowedOrigins\": \"*\"\r\n }\r\n ],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/dox-staging/providers/Microsoft.DocumentDB/databaseAccounts/dox-table-staging-mm\",\r\n \"name\": \"dox-table-staging-mm\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Table\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-18T17:36:03.1916682Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://dox-table-staging-mm.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://dox-table-staging-mm.table.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d8c3478a-f2f1-4e12-901f-27f929138d85\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"dox-table-staging-mm-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://dox-table-staging-mm-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"dox-table-staging-mm-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://dox-table-staging-mm-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"dox-table-staging-mm-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://dox-table-staging-mm-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"dox-table-staging-mm-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://dox-table-staging-mm-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"dox-table-staging-mm-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://dox-table-staging-mm-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"dox-table-staging-mm-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://dox-table-staging-mm-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"dox-table-staging-mm-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://dox-table-staging-mm-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"dox-table-staging-mm-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://dox-table-staging-mm-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"dox-table-staging-mm-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://dox-table-staging-mm-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"dox-table-staging-mm-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"dox-table-staging-mm-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n },\r\n {\r\n \"id\": \"dox-table-staging-mm-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 2\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/dxcpreview/providers/Microsoft.DocumentDB/databaseAccounts/dxc\",\r\n \"name\": \"dxc\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-06T07:07:13.5966847Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://dxc.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://dxc.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"0b42126d-b8d4-4977-8bca-868f791e49f6\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"dxc-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://dxc-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"dxc-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://dxc-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"dxc-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://dxc-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"dxc-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testetcd/providers/Microsoft.DocumentDB/databaseAccounts/etcdsignoff0610a\",\r\n \"name\": \"etcdsignoff0610a\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Etcd\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-10T18:51:29.7518184Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://etcdsignoff0610a.documents-staging.windows-ppe.net:443/\",\r\n \"etcdEndpoint\": \"https://etcdsignoff0610a.etcd.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql, Etcd\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"2bec1ce6-81cd-4e63-a48a-4537b38a7b6e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"etcdsignoff0610a-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://etcdsignoff0610a-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"etcdsignoff0610a-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://etcdsignoff0610a-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"etcdsignoff0610a-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://etcdsignoff0610a-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"etcdsignoff0610a-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableEtcd\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/etcdstage/providers/Microsoft.DocumentDB/databaseAccounts/etcdstagencus1\",\r\n \"name\": \"etcdstagencus1\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Etcd\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-01-25T20:38:35.0298082Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://etcdstagencus1.documents-staging.windows-ppe.net:443/\",\r\n \"etcdEndpoint\": \"https://etcdstagencus1.etcd.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql, Etcd\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"f92d5e56-da24-4bad-ba46-9d6e1154349d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"etcdstagencus1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://etcdstagencus1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"etcdstagencus1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://etcdstagencus1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"etcdstagencus1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://etcdstagencus1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"etcdstagencus1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableEtcd\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/etcdstage/providers/Microsoft.DocumentDB/databaseAccounts/etcdstagencus2\",\r\n \"name\": \"etcdstagencus2\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Etcd\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-03-26T22:17:59.1224071Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://etcdstagencus2.documents-staging.windows-ppe.net:443/\",\r\n \"etcdEndpoint\": \"https://etcdstagencus2.etcd.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql, Etcd\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a0991bac-ea4c-446c-9953-121557e9fa95\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"etcdstagencus2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://etcdstagencus2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"etcdstagencus2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://etcdstagencus2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"etcdstagencus2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://etcdstagencus2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"etcdstagencus2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableEtcd\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jihmmtest/providers/Microsoft.DocumentDB/databaseAccounts/ford-mongo-mm\",\r\n \"name\": \"ford-mongo-mm\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"MongoDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-12T18:21:28.2105353Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ford-mongo-mm.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"5d390740-cf60-4622-8cc7-6fc474a7b377\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ford-mongo-mm-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ford-mongo-mm-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ford-mongo-mm-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://ford-mongo-mm-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ford-mongo-mm-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ford-mongo-mm-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ford-mongo-mm-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ford-mongo-mm-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ford-mongo-mm-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://ford-mongo-mm-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ford-mongo-mm-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ford-mongo-mm-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ford-mongo-mm-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ford-mongo-mm-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ford-mongo-mm-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://ford-mongo-mm-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ford-mongo-mm-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ford-mongo-mm-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ford-mongo-mm-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"ford-mongo-mm-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 2\r\n },\r\n {\r\n \"id\": \"ford-mongo-mm-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-create-7-2\",\r\n \"name\": \"gremlin-create-7-2\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-11T18:45:42.0201653Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-create-7-2.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-create-7-2.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"0376d463-5459-48d7-8836-601f60a7c7ae\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-create-7-2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-create-7-2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-create-7-2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-create-7-2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-create-7-2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-create-7-2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-create-7-2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-create-test\",\r\n \"name\": \"gremlin-create-test\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-06-22T02:08:31.6561524Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-create-test.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-create-test.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"36566f00-f45f-45b3-bc89-3a74fd1ab6ac\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-create-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-create-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-create-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-create-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-create-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-create-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-create-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-en20180628\",\r\n \"name\": \"gremlin-en20180628\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Graph\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-07-12T19:17:20.4275521Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-en20180628.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-en20180628.gremlin.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"9cfe8d1c-0362-490a-9d73-1512d2b4cdd7\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-en20180628-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-en20180628-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-en20180628-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-en20180628-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-en20180628-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-en20180628-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-en20180628-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging-eastus2/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-maxjoin-test2\",\r\n \"name\": \"gremlin-maxjoin-test2\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-06-17T19:14:52.2282262Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-maxjoin-test2.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-maxjoin-test2.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"83c9546d-797a-4bf7-959f-a45a403f45ff\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-maxjoin-test2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-maxjoin-test2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-maxjoin-test2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-maxjoin-test2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-maxjoin-test2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-maxjoin-test2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-maxjoin-test2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-staging-ncus\",\r\n \"name\": \"gremlin-staging-ncus\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-11-12T19:35:58.2885645Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-staging-ncus.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-staging-ncus.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"0201e780-2feb-454c-aeb0-a591b2f786d4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-staging-ncus-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-staging-ncus-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-staging-ncus-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-staging-ncus-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-staging-ncus-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-staging-ncus-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-staging-ncus-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-staging-ncus-v2sdk\",\r\n \"name\": \"gremlin-staging-ncus-v2sdk\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-02-28T20:26:53.2466425Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-staging-ncus-v2sdk.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-staging-ncus-v2sdk.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"ca02791b-1b0e-45de-86a3-7b9b82f7a686\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-staging-ncus-v2sdk-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-staging-ncus-v2sdk-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-staging-ncus-v2sdk-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-staging-ncus-v2sdk-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-staging-ncus-v2sdk-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlin-staging-ncus-v2sdk-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-staging-ncus-v2sdk-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging/providers/Microsoft.DocumentDB/databaseAccounts/gremlinstage1010cli\",\r\n \"name\": \"gremlinstage1010cli\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-16T00:32:33.729965Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlinstage1010cli.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlinstage1010cli.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"e7cccc46-4940-4d20-b8ae-93ed87375647\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlinstage1010cli-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlinstage1010cli-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlinstage1010cli-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlinstage1010cli-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlinstage1010cli-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://gremlinstage1010cli-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlinstage1010cli-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/harinic/providers/Microsoft.DocumentDB/databaseAccounts/harinicstage2\",\r\n \"name\": \"harinicstage2\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-26T18:20:24.9238086Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://harinicstage2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"120101e0-7e5f-4194-9539-0ea9acec4348\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"harinicstage2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://harinicstage2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"harinicstage2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://harinicstage2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"harinicstage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://harinicstage2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"harinicstage2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://harinicstage2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"harinicstage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://harinicstage2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"harinicstage2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"harinicstage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/akash-cassandra-northcentralus-resource/providers/Microsoft.DocumentDB/databaseAccounts/harsudantest7\",\r\n \"name\": \"harsudantest7\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-18T21:56:18.8457915Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://harsudantest7.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"91c4cf3f-907d-479f-9bdc-d7e7a67b802e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"harsudantest7-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://harsudantest7-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"harsudantest7-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://harsudantest7-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"harsudantest7-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://harsudantest7-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"harsudantest7-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://harsudantest7-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"harsudantest7-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://harsudantest7-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"harsudantest7-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"harsudantest7-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/kuma/providers/Microsoft.DocumentDB/databaseAccounts/kumacapital-nc\",\r\n \"name\": \"kumacapital-nc\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-08-24T05:39:24.5145204Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://kumacapital-nc.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://kumacapital-nc.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"6092a46a-47bc-4c2c-ad36-26ab6c9d867f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"kumacapital-nc-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://kumacapital-nc-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"kumacapital-nc-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://kumacapital-nc-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"kumacapital-nc-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://kumacapital-nc-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"kumacapital-nc-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shreshts/providers/Microsoft.DocumentDB/databaseAccounts/messi\",\r\n \"name\": \"messi\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-16T19:20:28.5202571Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://messi.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"519a68a6-21bc-4840-a6aa-4bac329bcee6\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"messi-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://messi-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"messi-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://messi-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"messi-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://messi-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"messi-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://messi-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"messi-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://messi-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"messi-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://messi-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"messi-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://messi-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"messi-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://messi-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"messi-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://messi-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"messi-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"messi-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 2\r\n },\r\n {\r\n \"id\": \"messi-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shqintest/providers/Microsoft.DocumentDB/databaseAccounts/metricstestingstage\",\r\n \"name\": \"metricstestingstage\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\",\r\n \"testtag\": \"abc\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-12-11T23:59:06.0447436Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://metricstestingstage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"828a4909-dc02-4f95-a2d2-9c159df2339d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"metricstestingstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://metricstestingstage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"metricstestingstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://metricstestingstage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"metricstestingstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://metricstestingstage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"metricstestingstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mkolt-stage/providers/Microsoft.DocumentDB/databaseAccounts/mkolt-stage-sm\",\r\n \"name\": \"mkolt-stage-sm\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-12T20:03:16.7583007Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mkolt-stage-sm.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"6ae57f6a-1100-479e-b698-28c21a10e9f0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mkolt-stage-sm-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mkolt-stage-sm-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mkolt-stage-sm-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mkolt-stage-sm-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mkolt-stage-sm-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mkolt-stage-sm-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mkolt-stage-sm-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mkolt-stage-sm-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mkolt-stage-sm-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mkolt-stage-sm-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mkolt-stage-sm-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"mkolt-stage-sm-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwsing-rg/providers/Microsoft.DocumentDB/databaseAccounts/mognostagesignoff7\",\r\n \"name\": \"mognostagesignoff7\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-26T18:18:36.2451251Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mognostagesignoff7.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mognostagesignoff7.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"2e96413c-65e2-49d8-aeef-0806e98e3a5e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mognostagesignoff7-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mognostagesignoff7-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mognostagesignoff7-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mognostagesignoff7-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mognostagesignoff7-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mognostagesignoff7-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mognostagesignoff7-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"104.42.195.92\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"40.76.54.131\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.176.6.30\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.169.50.45\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.187.184.26\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mominag-cassandra/providers/Microsoft.DocumentDB/databaseAccounts/mominag-stagec1\",\r\n \"name\": \"mominag-stagec1\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-12-20T22:23:31.7773687Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mominag-stagec1.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://mominag-stagec1.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"0b52698f-beb5-42c5-bcce-56e4497daa07\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mominag-stagec1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mominag-stagec1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mominag-stagec1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mominag-stagec1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mominag-stagec1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mominag-stagec1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mominag-stagec1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mominag-stagec1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mominag-stagec1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mominag-stagec1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mominag-stagec1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mominag-stagec1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mominag-stagec1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"mominag-stagec1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/babatsai-rg-signoff/providers/Microsoft.DocumentDB/databaseAccounts/mong-test\",\r\n \"name\": \"mong-test\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-04T00:42:03.6377663Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mong-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"4dc7f5de-13c9-4abb-8ac0-63f188e834c1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mong-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mong-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mong-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mong-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mong-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mong-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mong-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mongo-multimaster-signoff/providers/Microsoft.DocumentDB/databaseAccounts/mongo-multimaster-signoffalt\",\r\n \"name\": \"mongo-multimaster-signoffalt\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"MongoDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-10-09T18:34:18.9363857Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo-multimaster-signoffalt.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"e3666bfd-d259-4244-842c-7c7739391e1f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo-multimaster-signoffalt-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-multimaster-signoffalt-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongo-multimaster-signoffalt-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo-multimaster-signoffalt-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo-multimaster-signoffalt-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-multimaster-signoffalt-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongo-multimaster-signoffalt-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo-multimaster-signoffalt-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo-multimaster-signoffalt-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-multimaster-signoffalt-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongo-multimaster-signoffalt-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo-multimaster-signoffalt-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo-multimaster-signoffalt-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"mongo-multimaster-signoffalt-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"mongoEnableDocLevelTTL\"\r\n },\r\n {\r\n \"name\": \"EnableAggregationPipeline\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mongo-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/mongo-stage-bsonv2-signoff\",\r\n \"name\": \"mongo-stage-bsonv2-signoff\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"MongoDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-05-17T18:11:55.0700337Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo-stage-bsonv2-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"26e870fd-279c-4070-b303-27996d65667c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo-stage-bsonv2-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo-stage-bsonv2-signoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo-stage-bsonv2-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo-stage-bsonv2-signoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo-stage-bsonv2-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo-stage-bsonv2-signoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo-stage-bsonv2-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableAggregationPipeline\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/mongo-stage-compute-serializer\",\r\n \"name\": \"mongo-stage-compute-serializer\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-05-21T03:11:55.1217816Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo-stage-compute-serializer.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d836ac83-9ff8-4615-a56a-40e5d0430246\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo-stage-compute-serializer-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo-stage-compute-serializer-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo-stage-compute-serializer-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo-stage-compute-serializer-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo-stage-compute-serializer-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo-stage-compute-serializer-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo-stage-compute-serializer-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableAggregationPipeline\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mongo-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/mongo-stage-signoff\",\r\n \"name\": \"mongo-stage-signoff\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"MongoDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-05-16T21:06:30.1481817Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo-stage-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"ac131391-5b9c-4739-922f-ee86a849895a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"False\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo-stage-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo-stage-signoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo-stage-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo-stage-signoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo-stage-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo-stage-signoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo-stage-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableAggregationPipeline\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/mongo40stage-aleksey\",\r\n \"name\": \"mongo40stage-aleksey\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-11T19:24:48.2610779Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo40stage-aleksey.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongo40stage-aleksey.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"4849e84f-9118-449d-9274-fd244f073898\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo40stage-aleksey-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-aleksey-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo40stage-aleksey-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-aleksey-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo40stage-aleksey-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-aleksey-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo40stage-aleksey-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/mongo40stage-andy\",\r\n \"name\": \"mongo40stage-andy\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-11T19:24:03.9943326Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo40stage-andy.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongo40stage-andy.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"488529e6-a41e-41f0-a374-06fb670214c4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo40stage-andy-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-andy-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo40stage-andy-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-andy-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo40stage-andy-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-andy-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo40stage-andy-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/mongo40stage-chris\",\r\n \"name\": \"mongo40stage-chris\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-11T19:24:32.0250361Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo40stage-chris.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongo40stage-chris.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"52474c7f-6f16-452d-8b21-6fb2095a3de8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo40stage-chris-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-chris-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo40stage-chris-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-chris-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo40stage-chris-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-chris-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo40stage-chris-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/mongo40stage-gahl\",\r\n \"name\": \"mongo40stage-gahl\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-11T19:24:42.4271159Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo40stage-gahl.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongo40stage-gahl.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"8c1fa332-8606-40f7-b300-0a029116d969\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo40stage-gahl-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-gahl-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo40stage-gahl-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-gahl-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo40stage-gahl-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-gahl-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo40stage-gahl-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/mongo40stage-sergiy\",\r\n \"name\": \"mongo40stage-sergiy\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-11T19:24:45.2172839Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo40stage-sergiy.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongo40stage-sergiy.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"3fe5dd33-41cb-416a-93d2-19e7064e8355\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo40stage-sergiy-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-sergiy-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo40stage-sergiy-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-sergiy-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo40stage-sergiy-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongo40stage-sergiy-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo40stage-sergiy-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwini-rg/providers/Microsoft.DocumentDB/databaseAccounts/mongolistcollection\",\r\n \"name\": \"mongolistcollection\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-04-17T22:27:07.193399Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongolistcollection.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"1e5181be-bdcf-4153-91e4-31dca1eeea83\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongolistcollection-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongolistcollection-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongolistcollection-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongolistcollection-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongolistcollection-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongolistcollection-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongolistcollection-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableAggregationPipeline\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwini-rg/providers/Microsoft.DocumentDB/databaseAccounts/mongorgteststage\",\r\n \"name\": \"mongorgteststage\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-10T00:19:53.8997346Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongorgteststage.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongorgteststage.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"b386adb5-d7d7-41ec-a682-f4428d247c76\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongorgteststage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongorgteststage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongorgteststage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongorgteststage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongorgteststage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongorgteststage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongorgteststage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwini-rg/providers/Microsoft.DocumentDB/databaseAccounts/monogstagesignoff\",\r\n \"name\": \"monogstagesignoff\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-10T23:27:16.6745666Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://monogstagesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://monogstagesignoff.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"5fde5536-6ba3-49ea-aad4-bab1b61ffd71\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"monogstagesignoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://monogstagesignoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"monogstagesignoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://monogstagesignoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"monogstagesignoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://monogstagesignoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"monogstagesignoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://monogstagesignoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"monogstagesignoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://monogstagesignoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"monogstagesignoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"monogstagesignoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mtccassatest/providers/Microsoft.DocumentDB/databaseAccounts/mtctesthou\",\r\n \"name\": \"mtctesthou\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-20T03:23:25.005223Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mtctesthou.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://mtctesthou.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c6b1b220-0ab2-4e60-b9d0-7b34883b3119\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mtctesthou-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mtctesthou-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mtctesthou-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mtctesthou-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mtctesthou-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mtctesthou-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mtctesthou-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vivekrasignoff/providers/Microsoft.DocumentDB/databaseAccounts/multimasterconflictstest\",\r\n \"name\": \"multimasterconflictstest\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"owner\": \"vivekra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-12-20T23:12:43.9098667Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://multimasterconflictstest.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://multimasterconflictstest.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"fb7af021-2a85-4e1a-9b01-68e451595c2e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"multimasterconflictstest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://multimasterconflictstest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"multimasterconflictstest-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://multimasterconflictstest-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"multimasterconflictstest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://multimasterconflictstest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"multimasterconflictstest-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://multimasterconflictstest-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"multimasterconflictstest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://multimasterconflictstest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"multimasterconflictstest-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://multimasterconflictstest-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"multimasterconflictstest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"multimasterconflictstest-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nasimtest/providers/Microsoft.DocumentDB/databaseAccounts/nasimtest\",\r\n \"name\": \"nasimtest\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-06-26T16:51:35.2135853Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nasimtest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a2fc5e6f-fb71-4b50-a3cf-86d83533cf00\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nasimtest-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://nasimtest-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nasimtest-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://nasimtest-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nasimtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nasimtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nasimtest-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://nasimtest-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nasimtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nasimtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nasimtest-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"nasimtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/python-multimaster\",\r\n \"name\": \"python-multimaster\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-13T22:44:25.225715Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://python-multimaster.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"ec32a605-a0a3-4eac-8185-f1d58cf9df5c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"python-multimaster-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://python-multimaster-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"python-multimaster-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://python-multimaster-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"python-multimaster-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://python-multimaster-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"python-multimaster-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://python-multimaster-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"python-multimaster-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://python-multimaster-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"python-multimaster-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://python-multimaster-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"python-multimaster-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"python-multimaster-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 2\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/rogerspreview/providers/Microsoft.DocumentDB/databaseAccounts/rogersgeorge\",\r\n \"name\": \"rogersgeorge\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-07T01:36:53.7368553Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://rogersgeorge.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://rogersgeorge.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"2ace3ca8-489b-4787-945e-6632e2d35436\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"rogersgeorge-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://rogersgeorge-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"rogersgeorge-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://rogersgeorge-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"rogersgeorge-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://rogersgeorge-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"rogersgeorge-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sargup/providers/Microsoft.DocumentDB/databaseAccounts/sargup-testcpuspike\",\r\n \"name\": \"sargup-testcpuspike\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-04-10T00:22:21.9089302Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sargup-testcpuspike.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"08eefb6e-13d8-4423-b2d1-7bef733b92ba\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sargup-testcpuspike-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sargup-testcpuspike-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sargup-testcpuspike-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sargup-testcpuspike-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sargup-testcpuspike-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sargup-testcpuspike-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sargup-testcpuspike-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sargup-testcpuspike-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sargup-testcpuspike-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sargup-testcpuspike-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sargup-testcpuspike-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sargup-testcpuspike-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sargup-testcpuspike-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"sargup-testcpuspike-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ankshah/providers/Microsoft.DocumentDB/databaseAccounts/sharedthroughput-ankshah\",\r\n \"name\": \"sharedthroughput-ankshah\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-05-16T21:04:43.983836Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sharedthroughput-ankshah.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"04511201-e314-4108-95e7-b8818880fcbd\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sharedthroughput-ankshah-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sharedthroughput-ankshah-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sharedthroughput-ankshah-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sharedthroughput-ankshah-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sharedthroughput-ankshah-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sharedthroughput-ankshah-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sharedthroughput-ankshah-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sharedthroughput-ankshah-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sharedthroughput-ankshah-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sharedthroughput-ankshah-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sharedthroughput-ankshah-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"sharedthroughput-ankshah-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shtan-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/shtan-ncus-signoff\",\r\n \"name\": \"shtan-ncus-signoff\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-08-28T16:54:10.7184847Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shtan-ncus-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"10a9c64a-9e9c-4956-b150-47c3998e22b2\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shtan-ncus-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://shtan-ncus-signoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shtan-ncus-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://shtan-ncus-signoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"shtan-ncus-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shtan-ncus-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shtan-ncus-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://shtan-ncus-signoff-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"shtan-ncus-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shtan-ncus-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shtan-ncus-signoff-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"shtan-ncus-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 120,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shtan-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/shtan-signoff-1204\",\r\n \"name\": \"shtan-signoff-1204\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"restoredSourceDatabaseAccountName\": \"shtan-ncus-signoff\",\r\n \"restoredAtTimestamp\": \"12/4/2019 9:56:28 PM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-04T22:03:50.4636833Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shtan-signoff-1204.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"08b15cb4-a159-4b89-85c9-3f7e6a6b7635\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shtan-signoff-1204-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://shtan-signoff-1204-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shtan-signoff-1204-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://shtan-signoff-1204-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shtan-signoff-1204-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://shtan-signoff-1204-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shtan-signoff-1204-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 15,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/soham-test-rg/providers/Microsoft.DocumentDB/databaseAccounts/sohamtestcosmosdb\",\r\n \"name\": \"sohamtestcosmosdb\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-06-24T17:30:49.8983786Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sohamtestcosmosdb.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"f85f68fd-b3cc-4ca2-9f50-5938c6d5e3e1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Eventual\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sohamtestcosmosdb-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sohamtestcosmosdb-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sohamtestcosmosdb-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sohamtestcosmosdb-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sohamtestcosmosdb-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sohamtestcosmosdb-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sohamtestcosmosdb-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/StageSignoffEtcd/providers/Microsoft.DocumentDB/databaseAccounts/stagesignoff1\",\r\n \"name\": \"stagesignoff1\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Etcd\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-30T00:19:09.9776403Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stagesignoff1.documents-staging.windows-ppe.net:443/\",\r\n \"etcdEndpoint\": \"https://stagesignoff1.etcd.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql, Etcd\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"254085ae-4367-40aa-aa05-b35ea7e8d71e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stagesignoff1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://stagesignoff1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stagesignoff1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://stagesignoff1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stagesignoff1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://stagesignoff1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stagesignoff1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableEtcd\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/StageSignoffEtcd/providers/Microsoft.DocumentDB/databaseAccounts/stagesignoffaks1\",\r\n \"name\": \"stagesignoffaks1\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Etcd\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-30T00:29:13.4846533Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stagesignoffaks1.documents-staging.windows-ppe.net:443/\",\r\n \"etcdEndpoint\": \"https://stagesignoffaks1.etcd.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql, Etcd\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a55a2306-91b9-47b7-a0c1-da904850095c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stagesignoffaks1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://stagesignoffaks1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stagesignoffaks1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://stagesignoffaks1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stagesignoffaks1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://stagesignoffaks1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stagesignoffaks1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableEtcd\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sujitk/providers/Microsoft.DocumentDB/databaseAccounts/sujitkstage\",\r\n \"name\": \"sujitkstage\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-05-14T19:47:57.5962515Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sujitkstage.documents-staging.windows-ppe.net:443/\",\r\n \"sqlEndpoint\": \"https://sujitkstage.sql.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"eb4a65e1-6b69-4a4f-b5b8-1e44b73ccb99\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sujitkstage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sujitkstage-northcentralus.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sujitkstage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sujitkstage-northcentralus.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sujitkstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sujitkstage-eastus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sujitkstage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sujitkstage-northcentralus.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sujitkstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sujitkstage-eastus2.sql.cosmos.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sujitkstage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"sujitkstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSql\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test1027group/providers/Microsoft.DocumentDB/databaseAccounts/test1027-1\",\r\n \"name\": \"test1027-1\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"restoredSourceDatabaseAccountName\": \"test1027-1\",\r\n \"restoredAtTimestamp\": \"11/20/2020 6:01:30 PM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-20T18:11:25.8147227Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test1027-1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a0e85731-6c30-4525-927a-bf23ff2d05dc\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test1027-1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test1027-1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test1027-1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test1027-1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations//restorableDatabaseAccounts/\",\r\n \"restoreTimestampInUtc\": \"2020-11-20T10:00:00Z\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test1027group/providers/Microsoft.DocumentDB/databaseAccounts/test1027-1-r1\",\r\n \"name\": \"test1027-1-r1\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"restoredSourceDatabaseAccountName\": \"test1027-1,test1027-1\",\r\n \"restoredAtTimestamp\": \"11/20/2020 6:01:30 PM,1/28/2021 9:25:20 PM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-28T21:38:47.9342393Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test1027-1-r1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"2024b2c0-2370-4248-a28c-9c449715b452\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test1027-1-r1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test1027-1-r1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test1027-1-r1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test1027-1-r1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations//restorableDatabaseAccounts/\",\r\n \"restoreTimestampInUtc\": \"2021-01-28T19:00:00Z\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test1027group/providers/Microsoft.DocumentDB/databaseAccounts/test1027-1-r2\",\r\n \"name\": \"test1027-1-r2\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"restoredSourceDatabaseAccountName\": \"test1027-1,test1027-1\",\r\n \"restoredAtTimestamp\": \"11/20/2020 6:01:30 PM,1/28/2021 9:25:32 PM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-28T21:31:21.8236001Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test1027-1-r2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"82eb4c16-123d-4b11-8d5c-b98a6fdc0f66\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test1027-1-r2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test1027-1-r2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test1027-1-r2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test1027-1-r2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations//restorableDatabaseAccounts/\",\r\n \"restoreTimestampInUtc\": \"2021-01-28T19:00:00Z\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test1027group/providers/Microsoft.DocumentDB/databaseAccounts/test1027-1-r3\",\r\n \"name\": \"test1027-1-r3\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"restoredSourceDatabaseAccountName\": \"test1027-1,test1027-1\",\r\n \"restoredAtTimestamp\": \"11/20/2020 6:01:30 PM,1/28/2021 9:25:52 PM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-28T21:33:16.3110564Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test1027-1-r3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c5dc8520-be90-4df7-b107-1f91d69c4e04\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test1027-1-r3-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r3-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test1027-1-r3-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r3-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test1027-1-r3-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r3-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test1027-1-r3-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations//restorableDatabaseAccounts/\",\r\n \"restoreTimestampInUtc\": \"2021-01-28T19:00:00Z\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test1027group/providers/Microsoft.DocumentDB/databaseAccounts/test1027-1-r4-r1\",\r\n \"name\": \"test1027-1-r4-r1\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"restoredSourceDatabaseAccountName\": \"test1027-1,test1027-1,test1027-1-r4\",\r\n \"restoredAtTimestamp\": \"11/20/2020 6:01:30 PM,1/28/2021 9:26:28 PM,1/29/2021 7:16:36 PM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-29T19:23:04.0332667Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test1027-1-r4-r1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"249d3b84-6f24-486f-a712-9fde7a50b73d\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test1027-1-r4-r1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r4-r1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test1027-1-r4-r1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r4-r1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test1027-1-r4-r1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r4-r1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test1027-1-r4-r1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations//restorableDatabaseAccounts/\",\r\n \"restoreTimestampInUtc\": \"2021-01-29T00:00:00Z\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test1027group/providers/Microsoft.DocumentDB/databaseAccounts/test1027-1-r4-r2\",\r\n \"name\": \"test1027-1-r4-r2\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"restoredSourceDatabaseAccountName\": \"test1027-1,test1027-1,test1027-1-r4\",\r\n \"restoredAtTimestamp\": \"11/20/2020 6:01:30 PM,1/28/2021 9:26:28 PM,1/29/2021 7:30:59 PM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-29T19:37:31.3335151Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test1027-1-r4-r2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"98fa1c0a-17ad-4a18-a6c4-0558656371cc\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test1027-1-r4-r2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r4-r2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test1027-1-r4-r2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r4-r2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test1027-1-r4-r2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test1027-1-r4-r2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test1027-1-r4-r2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations//restorableDatabaseAccounts/\",\r\n \"restoreTimestampInUtc\": \"2021-01-29T00:00:00Z\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging/providers/Microsoft.DocumentDB/databaseAccounts/testaccountcreation-0904\",\r\n \"name\": \"testaccountcreation-0904\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-10T20:37:56.0770654Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testaccountcreation-0904.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://testaccountcreation-0904.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"6ea4f74d-f9ce-47ee-9185-47bc271db239\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testaccountcreation-0904-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testaccountcreation-0904-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testaccountcreation-0904-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testaccountcreation-0904-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testaccountcreation-0904-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testaccountcreation-0904-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testaccountcreation-0904-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging/providers/Microsoft.DocumentDB/databaseAccounts/testaccountcreationcli0904\",\r\n \"name\": \"testaccountcreationcli0904\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-10T21:23:54.2821986Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testaccountcreationcli0904.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://testaccountcreationcli0904.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"8b9d18c8-aed8-4d05-920b-1fcf290739c7\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testaccountcreationcli0904-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testaccountcreationcli0904-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testaccountcreationcli0904-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testaccountcreationcli0904-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testaccountcreationcli0904-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testaccountcreationcli0904-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testaccountcreationcli0904-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/testcassandracapability\",\r\n \"name\": \"testcassandracapability\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-04-30T21:51:18.5968762Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testcassandracapability.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://testcassandracapability.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"895dfeb5-68f2-489d-a111-29d2e12591bb\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testcassandracapability-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testcassandracapability-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testcassandracapability-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testcassandracapability-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testcassandracapability-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testcassandracapability-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testcassandracapability-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/foobar/providers/Microsoft.DocumentDB/databaseAccounts/testmmcreation\",\r\n \"name\": \"testmmcreation\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-08T17:58:17.2503507Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testmmcreation.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"3bb6ddfc-d39c-47d7-b868-cae477cf5d92\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testmmcreation-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testmmcreation-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testmmcreation-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testmmcreation-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testmmcreation-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testmmcreation-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testmmcreation-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testmmcreation-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testmmcreation-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testmmcreation-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testmmcreation-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testmmcreation-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testmmcreation-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"testmmcreation-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwini-rg/providers/Microsoft.DocumentDB/databaseAccounts/testmongoindex\",\r\n \"name\": \"testmongoindex\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-11T18:06:49.8161865Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testmongoindex.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://testmongoindex.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"e020d70d-00a2-48ff-a8e1-5a1ba646f9bb\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testmongoindex-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testmongoindex-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testmongoindex-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testmongoindex-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testmongoindex-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testmongoindex-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testmongoindex-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shtan-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/testrestorelivesite\",\r\n \"name\": \"testrestorelivesite\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-11T22:05:34.9312626Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testrestorelivesite.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"fc3966b1-4234-48b6-85d4-f34e08baa243\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testrestorelivesite-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testrestorelivesite-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testrestorelivesite-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testrestorelivesite-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testrestorelivesite-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testrestorelivesite-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testrestorelivesite-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shtan-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/testrestorelivesite-r1\",\r\n \"name\": \"testrestorelivesite-r1\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"restoredSourceDatabaseAccountName\": \"testrestorelivesite\",\r\n \"restoredAtTimestamp\": \"12/11/2019 11:57:41 PM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-12T00:02:42.9515779Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testrestorelivesite-r1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"1d988033-abf1-4831-bb55-65c90712dbee\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testrestorelivesite-r1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testrestorelivesite-r1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testrestorelivesite-r1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testrestorelivesite-r1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testrestorelivesite-r1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testrestorelivesite-r1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testrestorelivesite-r1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/testserverless\",\r\n \"name\": \"testserverless\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-14T19:46:50.9235709Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testserverless.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://testserverless.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d46ce3a4-770b-4cd8-b9b4-5c295d0cd979\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testserverless-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testserverless-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testserverless-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testserverless-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testserverless-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testserverless-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testserverless-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableServerless\"\r\n },\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/testserverlessthrr\",\r\n \"name\": \"testserverlessthrr\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-19T22:27:52.8644543Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testserverlessthrr.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://testserverlessthrr.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"cef21408-fe96-42c4-b8ef-7d03c6a2a106\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testserverlessthrr-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testserverlessthrr-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testserverlessthrr-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testserverlessthrr-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testserverlessthrr-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testserverlessthrr-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testserverlessthrr-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testbyokvinod/providers/Microsoft.DocumentDB/databaseAccounts/testshbyokrev1\",\r\n \"name\": \"testshbyokrev1\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-02-20T00:14:40.3749607Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshbyokrev1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"decb8ab5-06e7-4bce-8fc8-e9d9e4c21dad\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"keyVaultKeyUri\": \"https://testshkvrev.vault.azure.net/keys/key1\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshbyokrev1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testshbyokrev1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshbyokrev1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testshbyokrev1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshbyokrev1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testshbyokrev1-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshbyokrev1-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testbyokvinod/providers/Microsoft.DocumentDB/databaseAccounts/testshbyokrev2\",\r\n \"name\": \"testshbyokrev2\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-02-20T01:44:37.1015144Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshbyokrev2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"dc12f588-a2de-4be4-bc7a-49489a1db805\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"keyVaultKeyUri\": \"https://testshkvrev.vault.azure.net/keys/key1\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshbyokrev2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testshbyokrev2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshbyokrev2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testshbyokrev2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshbyokrev2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testshbyokrev2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshbyokrev2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testshbyok/providers/Microsoft.DocumentDB/databaseAccounts/testshbyokstg2\",\r\n \"name\": \"testshbyokstg2\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-01-13T01:44:22.5047486Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshbyokstg2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"7108a2b6-cffd-444b-8dc0-c1db17896c41\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"keyVaultKeyUri\": \"https://testshkv1.vault.azure.net/keys/key1\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshbyokstg2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testshbyokstg2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshbyokstg2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testshbyokstg2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testshbyokstg2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testshbyokstg2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshbyokstg2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testshbyokstg2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testshbyokstg2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testshbyokstg2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshbyokstg2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"testshbyokstg2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testshbyok/providers/Microsoft.DocumentDB/databaseAccounts/testshbyokstg6\",\r\n \"name\": \"testshbyokstg6\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-01-16T02:01:31.9773721Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshbyokstg6.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d8cc95fd-e2e1-4fda-a95f-43261be1618a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"keyVaultKeyUri\": \"https://testshkv2.vault.azure.net/keys/key1\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshbyokstg6-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testshbyokstg6-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshbyokstg6-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testshbyokstg6-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshbyokstg6-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://testshbyokstg6-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshbyokstg6-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/thweiss-test/providers/Microsoft.DocumentDB/databaseAccounts/thweiss-notebooks-test\",\r\n \"name\": \"thweiss-notebooks-test\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-08-31T00:14:36.507848Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://thweiss-notebooks-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"e41b2801-7b26-44de-8db5-7ce898126696\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"thweiss-notebooks-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://thweiss-notebooks-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"thweiss-notebooks-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://thweiss-notebooks-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"thweiss-notebooks-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://thweiss-notebooks-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"thweiss-notebooks-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableNotebooks\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vivekrasignoff/providers/Microsoft.DocumentDB/databaseAccounts/vivekrastagesignoffncus\",\r\n \"name\": \"vivekrastagesignoffncus\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-01-28T20:06:45.8340536Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vivekrastagesignoffncus.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://vivekrastagesignoffncus.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"6fcefda2-fdf4-4b0d-a9ca-63d0b30474bf\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vivekrastagesignoffncus-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://vivekrastagesignoffncus-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vivekrastagesignoffncus-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://vivekrastagesignoffncus-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vivekrastagesignoffncus-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://vivekrastagesignoffncus-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vivekrastagesignoffncus-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jihmmtest/providers/Microsoft.DocumentDB/databaseAccounts/waterlinedata-mm-test\",\r\n \"name\": \"waterlinedata-mm-test\",\r\n \"location\": \"North Central US\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-18T18:18:43.7313401Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://waterlinedata-mm-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"ec1e888d-fab1-44df-8845-d603d9dd4b54\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"waterlinedata-mm-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://waterlinedata-mm-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"waterlinedata-mm-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://waterlinedata-mm-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"waterlinedata-mm-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://waterlinedata-mm-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"waterlinedata-mm-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://waterlinedata-mm-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"waterlinedata-mm-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://waterlinedata-mm-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"waterlinedata-mm-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://waterlinedata-mm-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"waterlinedata-mm-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://waterlinedata-mm-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"waterlinedata-mm-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://waterlinedata-mm-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"waterlinedata-mm-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://waterlinedata-mm-test-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"waterlinedata-mm-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"waterlinedata-mm-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n },\r\n {\r\n \"id\": \"waterlinedata-mm-test-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 2\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/wmengstagetest/providers/Microsoft.DocumentDB/databaseAccounts/wmengstagewestus2b\",\r\n \"name\": \"wmengstagewestus2b\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"ccc\": \"ddd\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-19T06:55:42.961595Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://wmengstagewestus2b.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d8c997a5-4b53-45a3-94e3-b232b999de9f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"wmengstagewestus2b-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://wmengstagewestus2b-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"wmengstagewestus2b-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://wmengstagewestus2b-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"wmengstagewestus2b-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://wmengstagewestus2b-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"wmengstagewestus2b-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://wmengstagewestus2b-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"wmengstagewestus2b-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://wmengstagewestus2b-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"wmengstagewestus2b-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://wmengstagewestus2b-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"wmengstagewestus2b-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://wmengstagewestus2b-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"wmengstagewestus2b-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"wmengstagewestus2b-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n },\r\n {\r\n \"id\": \"wmengstagewestus2b-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 2\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"131.107.8.124\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"104.42.195.92\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"40.76.54.131\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.176.6.30\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.169.50.45\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.187.184.26\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 10,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/analyticalstoresignoff\",\r\n \"name\": \"analyticalstoresignoff\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-12T23:46:42.0510344Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://analyticalstoresignoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"74f7ed4b-67d5-4182-94fb-56047c11aef9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"analyticalstoresignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://analyticalstoresignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"analyticalstoresignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://analyticalstoresignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"analyticalstoresignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://analyticalstoresignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"analyticalstoresignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/analyticsautosignoff\",\r\n \"name\": \"analyticsautosignoff\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-05T22:21:19.5313149Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://analyticsautosignoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"ede2b3f2-8341-426c-a767-d6bed585153c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"analyticsautosignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://analyticsautosignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"analyticsautosignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://analyticsautosignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"analyticsautosignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://analyticsautosignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"analyticsautosignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai-test/providers/Microsoft.DocumentDB/databaseAccounts/ash-cassandra-nb\",\r\n \"name\": \"ash-cassandra-nb\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-25T21:07:31.8759704Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-cassandra-nb.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://ash-cassandra-nb.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"08be4bb6-a195-4e3b-8821-dc2d3681511b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-cassandra-nb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ash-cassandra-nb-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-cassandra-nb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ash-cassandra-nb-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-cassandra-nb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ash-cassandra-nb-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-cassandra-nb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n },\r\n {\r\n \"name\": \"EnableNotebooks\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai-test/providers/Microsoft.DocumentDB/databaseAccounts/ash-mongo-nb\",\r\n \"name\": \"ash-mongo-nb\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-25T19:38:32.1919275Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-mongo-nb.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://ash-mongo-nb.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"6077eeb2-f388-40d4-91b0-e0139d9ca387\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-mongo-nb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ash-mongo-nb-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-mongo-nb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ash-mongo-nb-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-mongo-nb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ash-mongo-nb-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-mongo-nb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableNotebooks\"\r\n },\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ragil/providers/Microsoft.DocumentDB/databaseAccounts/autopilote2e\",\r\n \"name\": \"autopilote2e\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-04-07T21:58:50.3863566Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://autopilote2e.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d3f55252-734c-4eba-921a-f5cd2e30fc03\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"autopilote2e-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://autopilote2e-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"autopilote2e-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://autopilote2e-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"autopilote2e-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://autopilote2e-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"autopilote2e-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/ash-table-nb\",\r\n \"name\": \"ash-table-nb\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-25T21:05:51.8725768Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-table-nb.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://ash-table-nb.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"60498937-d6c9-4cc9-8da8-3275cece16b7\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-table-nb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ash-table-nb-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-table-nb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ash-table-nb-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-table-nb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ash-table-nb-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-table-nb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n },\r\n {\r\n \"name\": \"EnableNotebooks\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/backup-restore/providers/Microsoft.DocumentDB/databaseAccounts/backup-restore-mgmt-0\",\r\n \"name\": \"backup-restore-mgmt-0\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-11-03T17:20:47.1370235Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://backup-restore-mgmt-0.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"094e24d4-c422-4a7f-80fc-63d9c79b9c54\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"backup-restore-mgmt-0-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://backup-restore-mgmt-0-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"backup-restore-mgmt-0-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://backup-restore-mgmt-0-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"backup-restore-mgmt-0-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://backup-restore-mgmt-0-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"backup-restore-mgmt-0-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/build-test\",\r\n \"name\": \"build-test\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-02T03:55:39.3975663Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://build-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"3d234c37-7005-4669-a910-b44fd9e672fd\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"build-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://build-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"build-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://build-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"build-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://build-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"build-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stagewestus2cm1\",\r\n \"name\": \"canary-stagewestus2cm1\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-12T22:43:23.3914536Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stagewestus2cm1.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://canary-stagewestus2cm1.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"32743747-9dca-42ba-ac6b-ec91aba23317\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stagewestus2cm1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://canary-stagewestus2cm1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stagewestus2cm1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://canary-stagewestus2cm1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stagewestus2cm1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://canary-stagewestus2cm1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stagewestus2cm1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cassandra-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/cassandrastagetest\",\r\n \"name\": \"cassandrastagetest\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-01-09T18:01:10.9408479Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassandrastagetest.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassandrastagetest.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a40ceb7f-1ce9-43f0-bab1-e08c8c200f78\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassandrastagetest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cassandrastagetest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassandrastagetest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cassandrastagetest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassandrastagetest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cassandrastagetest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassandrastagetest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/controlplanehealth-rg/providers/Microsoft.DocumentDB/databaseAccounts/controlplanehealth-stage-westus2\",\r\n \"name\": \"controlplanehealth-stage-westus2\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-15T19:42:37.5354165Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"ace7bb3a-2068-4da2-aae1-6640e263fa4b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/controlplanehealth-rg/providers/Microsoft.DocumentDB/databaseAccounts/controlplanehealth-stage-westus2-cx\",\r\n \"name\": \"controlplanehealth-stage-westus2-cx\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-15T19:57:45.8822395Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-cx.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://controlplanehealth-stage-westus2-cx.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"81633c01-3395-43a1-8173-58d2c9e20fab\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-cx-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-cx-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-cx-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-cx-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-cx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-cx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-cx-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-cx-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-cx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-cx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-cx-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-cx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/controlplanehealth-rg/providers/Microsoft.DocumentDB/databaseAccounts/controlplanehealth-stage-westus2-gln\",\r\n \"name\": \"controlplanehealth-stage-westus2-gln\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-15T19:58:10.5720141Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-gln.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://controlplanehealth-stage-westus2-gln.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"32dec277-404c-433e-8c57-de2c07d1051a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-gln-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-gln-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-gln-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-gln-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-gln-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-gln-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-gln-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-gln-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-gln-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-gln-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-gln-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-gln-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/controlplanehealth-rg/providers/Microsoft.DocumentDB/databaseAccounts/controlplanehealth-stage-westus2-mgo\",\r\n \"name\": \"controlplanehealth-stage-westus2-mgo\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-15T19:56:57.4525237Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-mgo.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"2d4f5b9f-8157-4c3e-a541-d6876b5d9f9f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-mgo-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-mgo-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-mgo-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-mgo-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-mgo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-mgo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-mgo-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-mgo-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-mgo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-mgo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-mgo-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-mgo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/controlplanehealth-rg/providers/Microsoft.DocumentDB/databaseAccounts/controlplanehealth-stage-westus2-sql\",\r\n \"name\": \"controlplanehealth-stage-westus2-sql\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-15T19:56:39.1942591Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-sql.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"4f22422a-8876-43f0-9a6b-c328456ad95d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-sql-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-sql-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-sql-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-sql-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-sql-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-sql-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-sql-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/controlplanehealth-rg/providers/Microsoft.DocumentDB/databaseAccounts/controlplanehealth-stage-westus2-tbl\",\r\n \"name\": \"controlplanehealth-stage-westus2-tbl\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-15T19:59:01.2129798Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-tbl.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://controlplanehealth-stage-westus2-tbl.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"06f014ba-70ca-4520-9908-bf000e20c8cb\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-tbl-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-tbl-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-tbl-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-tbl-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-tbl-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-tbl-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-tbl-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-tbl-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-tbl-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://controlplanehealth-stage-westus2-tbl-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-tbl-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"controlplanehealth-stage-westus2-tbl-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/build2020/providers/Microsoft.DocumentDB/databaseAccounts/cosmosdb-synpase-link\",\r\n \"name\": \"cosmosdb-synpase-link\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-13T02:57:02.6248367Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cosmosdb-synpase-link.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a4e39e24-755d-4f3e-a8b5-6d1d5d4d5e6c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cosmosdb-synpase-link-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cosmosdb-synpase-link-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cosmosdb-synpase-link-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cosmosdb-synpase-link-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cosmosdb-synpase-link-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cosmosdb-synpase-link-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cosmosdb-synpase-link-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cosmosdbqueryteam/providers/Microsoft.DocumentDB/databaseAccounts/cosmosdbqueryteamwestus2\",\r\n \"name\": \"cosmosdbqueryteamwestus2\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-03-27T19:19:46.723853Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cosmosdbqueryteamwestus2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"baa0b268-7d29-4794-b842-95a1178ba951\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cosmosdbqueryteamwestus2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cosmosdbqueryteamwestus2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cosmosdbqueryteamwestus2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cosmosdbqueryteamwestus2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cosmosdbqueryteamwestus2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cosmosdbqueryteamwestus2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cosmosdbqueryteamwestus2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sarguptest/providers/Microsoft.DocumentDB/databaseAccounts/cpuinvestigation3\",\r\n \"name\": \"cpuinvestigation3\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-15T17:56:23.0873917Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cpuinvestigation3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"6c6ac979-c326-4f93-87e9-db676257a3c0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cpuinvestigation3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cpuinvestigation3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cpuinvestigation3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cpuinvestigation3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cpuinvestigation3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cpuinvestigation3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cpuinvestigation3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mongo-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/cursortest-mongo-westus\",\r\n \"name\": \"cursortest-mongo-westus\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"MongoDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-11-07T22:38:58.7256285Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cursortest-mongo-westus.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"55ece9ab-1c58-4467-8e54-d5a9c45740d9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cursortest-mongo-westus-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cursortest-mongo-westus-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cursortest-mongo-westus-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cursortest-mongo-westus-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cursortest-mongo-westus-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cursortest-mongo-westus-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cursortest-mongo-westus-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/dech-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/dech-cosmos-nb-stage\",\r\n \"name\": \"dech-cosmos-nb-stage\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-08T22:22:16.854688Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://dech-cosmos-nb-stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"095e0fed-1899-46e9-903b-ca96407ac661\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"dech-cosmos-nb-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://dech-cosmos-nb-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"dech-cosmos-nb-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://dech-cosmos-nb-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"dech-cosmos-nb-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://dech-cosmos-nb-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"dech-cosmos-nb-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/dox-staging/providers/Microsoft.DocumentDB/databaseAccounts/dox-stage-table5\",\r\n \"name\": \"dox-stage-table5\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-06-07T00:02:59.5668686Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://dox-stage-table5.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://dox-stage-table5.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"786d954f-72a5-4987-93e4-abaa45e4ca59\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"dox-stage-table5-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://dox-stage-table5-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"dox-stage-table5-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://dox-stage-table5-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"dox-stage-table5-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://dox-stage-table5-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"dox-stage-table5-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/fastschemainference\",\r\n \"name\": \"fastschemainference\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-29T21:59:44.1356993Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://fastschemainference.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d1397fdb-4edd-40de-9c40-5c4b9e6d7b27\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"fastschemainference-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://fastschemainference-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"fastschemainference-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://fastschemainference-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"fastschemainference-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://fastschemainference-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"fastschemainference-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging/providers/Microsoft.DocumentDB/databaseAccounts/gremlinstagetest\",\r\n \"name\": \"gremlinstagetest\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-01-09T18:21:44.55748Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlinstagetest.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlinstagetest.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c48c110a-468b-41af-a31a-7c4e04c2423d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlinstagetest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://gremlinstagetest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlinstagetest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://gremlinstagetest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlinstagetest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://gremlinstagetest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlinstagetest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/akash-cassandra-northcentralus-resource/providers/Microsoft.DocumentDB/databaseAccounts/harsudantest4\",\r\n \"name\": \"harsudantest4\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-16T19:03:06.6536698Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://harsudantest4.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"3c1eb306-f67c-4b37-bc59-74b57fd4c6a7\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"harsudantest4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://harsudantest4-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"harsudantest4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://harsudantest4-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"harsudantest4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://harsudantest4-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"harsudantest4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sivethe/providers/Microsoft.DocumentDB/databaseAccounts/jaganma-firstam-sql-integration\",\r\n \"name\": \"jaganma-firstam-sql-integration\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-06-13T22:28:58.9268694Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://jaganma-firstam-sql-integration.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://jaganma-firstam-sql-integration.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"3b75ccc4-286f-40f9-9c0f-3e21b3a2c48e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"jaganma-firstam-sql-integration-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jaganma-firstam-sql-integration-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"jaganma-firstam-sql-integration-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jaganma-firstam-sql-integration-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"jaganma-firstam-sql-integration-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jaganma-firstam-sql-integration-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"jaganma-firstam-sql-integration-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jmondal-stg/providers/Microsoft.DocumentDB/databaseAccounts/jmondal-gremlin-stage\",\r\n \"name\": \"jmondal-gremlin-stage\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-31T21:41:21.7266024Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://jmondal-gremlin-stage.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://jmondal-gremlin-stage.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"520ae4c5-a208-4c59-8d28-afed6d2fc162\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"jmondal-gremlin-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jmondal-gremlin-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"jmondal-gremlin-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jmondal-gremlin-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"jmondal-gremlin-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jmondal-gremlin-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"jmondal-gremlin-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/kristynh/providers/Microsoft.DocumentDB/databaseAccounts/kristynh\",\r\n \"name\": \"kristynh\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-11T23:39:57.9708005Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://kristynh.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"48999b9a-5926-4205-96a6-102f331f2ea4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"kristynh-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kristynh-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"kristynh-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kristynh-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"kristynh-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kristynh-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"kristynh-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/mongo-stage-signoff-rl\",\r\n \"name\": \"mongo-stage-signoff-rl\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-02-14T01:00:30.0218379Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo-stage-signoff-rl.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongo-stage-signoff-rl.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"8a03998d-d046-4fd7-b217-a1ca75a43c56\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo-stage-signoff-rl-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mongo-stage-signoff-rl-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo-stage-signoff-rl-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mongo-stage-signoff-rl-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo-stage-signoff-rl-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mongo-stage-signoff-rl-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo-stage-signoff-rl-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sivethe/providers/Microsoft.DocumentDB/databaseAccounts/mongooncompute-1\",\r\n \"name\": \"mongooncompute-1\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-08-06T17:43:11.1944572Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongooncompute-1.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongooncompute-1.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"b80a9bf2-fb5b-4718-a63f-a100c68e782d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongooncompute-1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mongooncompute-1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongooncompute-1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mongooncompute-1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongooncompute-1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mongooncompute-1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongooncompute-1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nitesh-resource/providers/Microsoft.DocumentDB/databaseAccounts/nitesh-cri2-162282720\",\r\n \"name\": \"nitesh-cri2-162282720\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-19T09:13:47.9132616Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nitesh-cri2-162282720.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"78b42ade-0afe-42cf-a16c-98522d1f5e72\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nitesh-cri2-162282720-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nitesh-cri2-162282720-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nitesh-cri2-162282720-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nitesh-cri2-162282720-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nitesh-cri2-162282720-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nitesh-cri2-162282720-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nitesh-cri2-162282720-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/nologstore\",\r\n \"name\": \"nologstore\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-31T17:12:33.4690111Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nologstore.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a068ee4f-b3ab-4b63-8ff3-895d6d57be95\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nologstore-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nologstore-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nologstore-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nologstore-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nologstore-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nologstore-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nologstore-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/olignattestrg321/providers/Microsoft.DocumentDB/databaseAccounts/olignattestcassandrawus2\",\r\n \"name\": \"olignattestcassandrawus2\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-01-25T18:14:40.2725177Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://olignattestcassandrawus2.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://olignattestcassandrawus2.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"91eb3fe8-e9fd-4c86-ae8f-7109b7beb3fc\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"olignattestcassandrawus2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://olignattestcassandrawus2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"olignattestcassandrawus2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://olignattestcassandrawus2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"olignattestcassandrawus2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://olignattestcassandrawus2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"olignattestcassandrawus2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"104.42.195.92\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"40.76.54.131\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.176.6.30\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.169.50.45\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.187.184.26\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jihmmtest/providers/Microsoft.DocumentDB/databaseAccounts/qwwetr12356\",\r\n \"name\": \"qwwetr12356\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-08T01:11:04.1346455Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://qwwetr12356.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c1a7210b-03ec-4440-8cba-2c3f4e776291\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"qwwetr12356-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://qwwetr12356-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"qwwetr12356-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://qwwetr12356-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"qwwetr12356-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://qwwetr12356-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"qwwetr12356-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ragil/providers/Microsoft.DocumentDB/databaseAccounts/ragil-stage\",\r\n \"name\": \"ragil-stage\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-03T01:05:53.3507672Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ragil-stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"1597cc97-59e2-4c65-82c4-8d2381d761e8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ragil-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ragil-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ragil-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ragil-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ragil-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ragil-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ragil-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ragil/providers/Microsoft.DocumentDB/databaseAccounts/ragil-tablesapi\",\r\n \"name\": \"ragil-tablesapi\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-08T19:56:56.3429741Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ragil-tablesapi.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://ragil-tablesapi.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a9f110f9-cc98-40a5-b9b9-e1c713b19703\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ragil-tablesapi-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ragil-tablesapi-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ragil-tablesapi-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ragil-tablesapi-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ragil-tablesapi-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ragil-tablesapi-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ragil-tablesapi-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/ramkris\",\r\n \"name\": \"ramkris\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-02T22:38:55.6466865Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ramkris.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"55a8e52d-4347-485f-a961-6aba964fe1d4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ramkris-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ramkris-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ramkris-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ramkris-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ramkris-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ramkris-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ramkris-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shatri/providers/Microsoft.DocumentDB/databaseAccounts/shatricass\",\r\n \"name\": \"shatricass\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-09T23:13:25.9376276Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shatricass.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://shatricass.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"05a1e329-ea8b-4183-acf3-1ad9640fa291\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shatricass-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shatricass-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shatricass-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shatricass-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shatricass-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shatricass-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shatricass-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shtan-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/shtan-stage\",\r\n \"name\": \"shtan-stage\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-11-13T20:44:04.4461593Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shtan-stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"54d92f36-a35f-4b45-90d1-4b2a2c598bae\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shtan-stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://shtan-stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"shtan-stage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://shtan-stage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shtan-stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://shtan-stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"shtan-stage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://shtan-stage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shtan-stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://shtan-stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"shtan-stage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://shtan-stage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shtan-stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"shtan-stage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 140,\r\n \"backupRetentionIntervalInHours\": 26,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/shthekkatestacc\",\r\n \"name\": \"shthekkatestacc\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-16T19:02:15.7189041Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shthekkatestacc.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a24a8e4b-8d9c-4057-8212-fa5c3cb974dc\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shthekkatestacc-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shthekkatestacc-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"shthekkatestacc-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shthekkatestacc-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"shthekkatestacc-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shthekkatestacc-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"shthekkatestacc-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/yungyang-test-rg/providers/Microsoft.DocumentDB/databaseAccounts/stageaccounttest\",\r\n \"name\": \"stageaccounttest\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-18T23:05:27.6084678Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stageaccounttest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"52fa848f-633c-48e6-8a03-41cd74da4156\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stageaccounttest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://stageaccounttest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stageaccounttest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://stageaccounttest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stageaccounttest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://stageaccounttest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stageaccounttest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sukans/providers/Microsoft.DocumentDB/databaseAccounts/sukans-noownerid\",\r\n \"name\": \"sukans-noownerid\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-04-11T23:56:51.3427971Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sukans-noownerid.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"f378c52f-6784-4196-a99f-6c3c934ca3cd\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sukans-noownerid-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sukans-noownerid-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sukans-noownerid-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sukans-noownerid-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sukans-noownerid-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sukans-noownerid-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sukans-noownerid-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/dech-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/dech-free-tier-test-2\",\r\n \"name\": \"dech-free-tier-test-2\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-02-29T04:43:57.365991Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://dech-free-tier-test-2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": true,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"03bb9038-e800-4852-a229-6868a7e5b26c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"dech-free-tier-test-2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://dech-free-tier-test-2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"dech-free-tier-test-2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://dech-free-tier-test-2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"dech-free-tier-test-2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://dech-free-tier-test-2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"dech-free-tier-test-2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testshbyok/providers/Microsoft.DocumentDB/databaseAccounts/testtoporder\",\r\n \"name\": \"testtoporder\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-01-12T18:30:58.8495415Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testtoporder.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"ac3bf896-7c33-4e00-baf0-f5aa19e4000b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testtoporder-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testtoporder-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testtoporder-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testtoporder-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testtoporder-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testtoporder-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testtoporder-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testtoporder-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testtoporder-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testtoporder-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testtoporder-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"testtoporder-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/haotest4\",\r\n \"name\": \"haotest4\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-02-11T21:22:04.7695494Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://haotest4.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://haotest4.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"0ead4408-f3e1-4f47-a00e-7fd5518ffcda\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Eventual\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"haotest4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://haotest4-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"haotest4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://haotest4-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"haotest4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://haotest4-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"haotest4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/akash-cassandra-northcentralus-resource/providers/Microsoft.DocumentDB/databaseAccounts/harsudantest5\",\r\n \"name\": \"harsudantest5\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-16T19:04:32.9585625Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://harsudantest5.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"869f8c12-e696-481b-ae81-f3aadc0c9adf\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"harsudantest5-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://harsudantest5-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"harsudantest5-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://harsudantest5-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"harsudantest5-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://harsudantest5-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"harsudantest5-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://harsudantest5-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"harsudantest5-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://harsudantest5-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"harsudantest5-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"harsudantest5-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/vinh-stage\",\r\n \"name\": \"vinh-stage\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-11-22T21:40:11.4909444Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vinh-stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"408511b1-2df1-4200-b4bb-a5ace8f2c8e9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vinh-stage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://vinh-stage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vinh-stage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://vinh-stage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"vinh-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vinh-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vinh-stage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://vinh-stage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"vinh-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vinh-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vinh-stage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"vinh-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/jasontho-manydocuments\",\r\n \"name\": \"jasontho-manydocuments\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-05T23:02:39.3105938Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://jasontho-manydocuments.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://jasontho-manydocuments.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"bbb17b25-0fd6-4615-b12c-1d27d5f13401\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"jasontho-manydocuments-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jasontho-manydocuments-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"jasontho-manydocuments-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jasontho-manydocuments-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"jasontho-manydocuments-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jasontho-manydocuments-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"jasontho-manydocuments-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/kristynh/providers/Microsoft.DocumentDB/databaseAccounts/kristynh-rbac\",\r\n \"name\": \"kristynh-rbac\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-11T20:11:35.5618102Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://kristynh-rbac.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"6d2e96e3-baf1-41fd-a474-2c7758962ae3\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"kristynh-rbac-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kristynh-rbac-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"kristynh-rbac-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kristynh-rbac-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"kristynh-rbac-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kristynh-rbac-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"kristynh-rbac-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/jordanstage\",\r\n \"name\": \"jordanstage\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-08-12T18:13:57.3416092Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://jordanstage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"8af36c1f-0f77-4919-9c3e-95491e4b582c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"jordanstage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jordanstage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"jordanstage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jordanstage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"jordanstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jordanstage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"jordanstage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jordanstage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"jordanstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jordanstage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"jordanstage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"jordanstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/vinh2stage\",\r\n \"name\": \"vinh2stage\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-11-22T21:43:30.7934443Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vinh2stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"83891f9d-eb4a-4ccd-be8f-a5928c84de73\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vinh2stage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://vinh2stage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vinh2stage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://vinh2stage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vinh2stage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://vinh2stage-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vinh2stage-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/yungyang-test-rg/providers/Microsoft.DocumentDB/databaseAccounts/yungyang-test3\",\r\n \"name\": \"yungyang-test3\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-03-02T20:11:57.7163107Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://yungyang-test3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a9ebee1a-1f6f-44a3-9dcc-2f429e2325ec\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"yungyang-test3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://yungyang-test3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"yungyang-test3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://yungyang-test3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"yungyang-test3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://yungyang-test3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"yungyang-test3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ragil/providers/Microsoft.DocumentDB/databaseAccounts/ragil-autoscale1\",\r\n \"name\": \"ragil-autoscale1\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-14T19:07:35.7285341Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ragil-autoscale1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"edad7712-57db-4a14-bb82-ee0568dd2e8e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ragil-autoscale1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ragil-autoscale1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ragil-autoscale1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ragil-autoscale1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ragil-autoscale1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ragil-autoscale1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ragil-autoscale1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ragil/providers/Microsoft.DocumentDB/databaseAccounts/rav-test\",\r\n \"name\": \"rav-test\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-04T18:07:47.2390398Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://rav-test.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://rav-test.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"4c530dfb-4e92-49ea-be7f-20f65fc9545c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"rav-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://rav-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"rav-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://rav-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"rav-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://rav-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"rav-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cassandra-stage-signoff-sea1/providers/Microsoft.DocumentDB/databaseAccounts/shatritestpolicystore\",\r\n \"name\": \"shatritestpolicystore\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-01-03T22:02:23.1932563Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shatritestpolicystore.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://shatritestpolicystore.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"88c4b305-a55e-463c-aa1d-eb57a17fac48\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shatritestpolicystore-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shatritestpolicystore-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shatritestpolicystore-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shatritestpolicystore-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shatritestpolicystore-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shatritestpolicystore-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shatritestpolicystore-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/table-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/tablestageperf\",\r\n \"name\": \"tablestageperf\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-04T23:07:12.1018565Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tablestageperf.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://tablestageperf.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"65b9f6d7-ae38-4544-9796-747de97c3a59\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tablestageperf-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://tablestageperf-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tablestageperf-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://tablestageperf-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tablestageperf-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://tablestageperf-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tablestageperf-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/testcassandrastage123\",\r\n \"name\": \"testcassandrastage123\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-11-21T17:47:46.0542311Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testcassandrastage123.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://testcassandrastage123.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"fd490572-edba-460b-aa5a-afa1699638e4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testcassandrastage123-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testcassandrastage123-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testcassandrastage123-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testcassandrastage123-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testcassandrastage123-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testcassandrastage123-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testcassandrastage123-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/testupdatedcapprejain\",\r\n \"name\": \"testupdatedcapprejain\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-27T00:30:15.9722043Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testupdatedcapprejain.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"167927f0-ce3e-478d-8c44-ae2bda0db443\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testupdatedcapprejain-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testupdatedcapprejain-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testupdatedcapprejain-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testupdatedcapprejain-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testupdatedcapprejain-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testupdatedcapprejain-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testupdatedcapprejain-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/jasontho-stagetest\",\r\n \"name\": \"jasontho-stagetest\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-05T04:46:51.1089085Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://jasontho-stagetest.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://jasontho-stagetest.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"8e6dd47b-b9e8-4034-97d7-435691d2574b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"jasontho-stagetest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jasontho-stagetest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"jasontho-stagetest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jasontho-stagetest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"jasontho-stagetest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jasontho-stagetest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"jasontho-stagetest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ktresources/providers/Microsoft.DocumentDB/databaseAccounts/ktstage2\",\r\n \"name\": \"ktstage2\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-03-26T00:22:29.6935046Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ktstage2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"72e06621-88ce-4674-bfa4-eaa1ce2f4f2c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ktstage2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ktstage2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ktstage2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ktstage2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ktstage2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ktstage2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ktstage2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shreshts/providers/Microsoft.DocumentDB/databaseAccounts/shreshts-stage-prodarm\",\r\n \"name\": \"shreshts-stage-prodarm\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-04-23T17:44:16.9716511Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shreshts-stage-prodarm.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"9e9dda1a-0ed1-4df5-9d8b-c8503c9c6c6b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shreshts-stage-prodarm-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shreshts-stage-prodarm-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shreshts-stage-prodarm-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shreshts-stage-prodarm-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shreshts-stage-prodarm-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shreshts-stage-prodarm-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shreshts-stage-prodarm-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/tamitta/providers/Microsoft.DocumentDB/databaseAccounts/tamitta-stage\",\r\n \"name\": \"tamitta-stage\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-24T18:01:30.9847186Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tamitta-stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"f92d669f-68f8-4994-a178-ba210a01f259\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tamitta-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://tamitta-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tamitta-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://tamitta-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tamitta-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://tamitta-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tamitta-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/testcosmosdbaccountcreate123\",\r\n \"name\": \"testcosmosdbaccountcreate123\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-11-21T17:38:24.4681012Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testcosmosdbaccountcreate123.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"8b9ceea3-8273-4cfa-b2d9-297673b30191\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testcosmosdbaccountcreate123-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testcosmosdbaccountcreate123-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testcosmosdbaccountcreate123-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testcosmosdbaccountcreate123-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testcosmosdbaccountcreate123-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testcosmosdbaccountcreate123-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testcosmosdbaccountcreate123-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/yungyang-test-rg/providers/Microsoft.DocumentDB/databaseAccounts/yungyang-stageaccount\",\r\n \"name\": \"yungyang-stageaccount\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-29T07:09:13.4940855Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://yungyang-stageaccount.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"f7d29645-77b8-43ef-9757-dee41193ce68\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"yungyang-stageaccount-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://yungyang-stageaccount-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"yungyang-stageaccount-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://yungyang-stageaccount-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"yungyang-stageaccount-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://yungyang-stageaccount-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"yungyang-stageaccount-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/tamitta/providers/Microsoft.DocumentDB/databaseAccounts/tamitta-stage-serverless\",\r\n \"name\": \"tamitta-stage-serverless\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-27T22:14:48.3284991Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tamitta-stage-serverless.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d6e00e92-4636-46ff-b7f3-fa555521111f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tamitta-stage-serverless-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://tamitta-stage-serverless-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tamitta-stage-serverless-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://tamitta-stage-serverless-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tamitta-stage-serverless-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://tamitta-stage-serverless-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tamitta-stage-serverless-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableServerless\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/tpcdsmongo/providers/Microsoft.DocumentDB/databaseAccounts/tpcdsmongotest\",\r\n \"name\": \"tpcdsmongotest\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-15T22:58:56.0666418Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tpcdsmongotest.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://tpcdsmongotest.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"80d4b4be-f359-45df-b7e2-c1d0efd4d716\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tpcdsmongotest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://tpcdsmongotest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tpcdsmongotest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://tpcdsmongotest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tpcdsmongotest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://tpcdsmongotest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tpcdsmongotest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/akgoe-test-rg/providers/Microsoft.DocumentDB/databaseAccounts/cdb-stage-westus2-test\",\r\n \"name\": \"cdb-stage-westus2-test\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-29T05:18:27.6324917Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cdb-stage-westus2-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a046b289-140d-467b-b0a3-be504cd76976\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cdb-stage-westus2-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cdb-stage-westus2-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cdb-stage-westus2-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cdb-stage-westus2-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cdb-stage-westus2-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cdb-stage-westus2-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cdb-stage-westus2-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ctlcontainerworkloads/providers/Microsoft.DocumentDB/databaseAccounts/ctljavacontainerworkload\",\r\n \"name\": \"ctljavacontainerworkload\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-01T22:41:46.9430744Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ctljavacontainerworkload.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"1d70309d-21a4-4081-97b2-699e2fd83bdd\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ctljavacontainerworkload-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ctljavacontainerworkload-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ctljavacontainerworkload-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ctljavacontainerworkload-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ctljavacontainerworkload-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ctljavacontainerworkload-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ctljavacontainerworkload-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/justipat_staging/providers/Microsoft.DocumentDB/databaseAccounts/testingjjp\",\r\n \"name\": \"testingjjp\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-08T17:38:23.792918Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testingjjp.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"ca46b55d-ebe8-422f-96b3-9a5dc0e59894\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testingjjp-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testingjjp-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testingjjp-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testingjjp-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testingjjp-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testingjjp-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testingjjp-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/foobar/providers/Microsoft.DocumentDB/databaseAccounts/bhushananalyticaltest\",\r\n \"name\": \"bhushananalyticaltest\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-08T17:56:05.909196Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://bhushananalyticaltest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"888982c7-4b21-4c82-87d0-10963f622e94\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"bhushananalyticaltest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://bhushananalyticaltest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"bhushananalyticaltest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://bhushananalyticaltest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"bhushananalyticaltest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://bhushananalyticaltest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"bhushananalyticaltest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/merge-partition/providers/Microsoft.DocumentDB/databaseAccounts/test-merge-empty-partition\",\r\n \"name\": \"test-merge-empty-partition\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-12T19:16:33.0077649Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-merge-empty-partition.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d8f7bc07-c094-4841-8190-8705d0396e16\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-merge-empty-partition-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-merge-empty-partition-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-merge-empty-partition-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-merge-empty-partition-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-merge-empty-partition-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-merge-empty-partition-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-merge-empty-partition-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stagewestus2fd1\",\r\n \"name\": \"canary-stagewestus2fd1\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-16T13:31:41.1683592Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stagewestus2fd1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"dd94d90d-e22a-44d0-95ec-ce3b36988f8e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stagewestus2fd1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://canary-stagewestus2fd1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stagewestus2fd1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://canary-stagewestus2fd1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stagewestus2fd1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://canary-stagewestus2fd1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stagewestus2fd1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vimeng-rg/providers/Microsoft.DocumentDB/databaseAccounts/vimeng-sql-stage\",\r\n \"name\": \"vimeng-sql-stage\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-23T00:32:41.278046Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vimeng-sql-stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"7c7fdaeb-dc26-4c27-a0ac-c6e55ecc05a0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vimeng-sql-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vimeng-sql-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vimeng-sql-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vimeng-sql-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vimeng-sql-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vimeng-sql-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vimeng-sql-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vimeng-rg/providers/Microsoft.DocumentDB/databaseAccounts/vimeng-stage-sql-2\",\r\n \"name\": \"vimeng-stage-sql-2\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-23T18:12:14.7771083Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vimeng-stage-sql-2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"abb03545-5576-413f-89cd-ad61411d1f9e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vimeng-stage-sql-2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vimeng-stage-sql-2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vimeng-stage-sql-2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vimeng-stage-sql-2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vimeng-stage-sql-2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vimeng-stage-sql-2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vimeng-stage-sql-2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/soeom-test/providers/Microsoft.DocumentDB/databaseAccounts/0000fix\",\r\n \"name\": \"0000fix\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-23T20:44:43.9638239Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://0000fix.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"167ed16c-2d74-4b6c-8eb2-a290498350cc\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"0000fix-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://0000fix-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"0000fix-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://0000fix-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"0000fix-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://0000fix-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"0000fix-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"40.76.54.131\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.176.6.30\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.169.50.45\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.187.184.26\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"0.0.0.0\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"104.42.195.92\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-staging-wus2-flatschema\",\r\n \"name\": \"gremlin-staging-wus2-flatschema\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-26T20:24:04.1960566Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-staging-wus2-flatschema.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-staging-wus2-flatschema.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"65a6856c-9ca8-4b59-802f-5a2b25cfcb71\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-staging-wus2-flatschema-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://gremlin-staging-wus2-flatschema-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-staging-wus2-flatschema-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://gremlin-staging-wus2-flatschema-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-staging-wus2-flatschema-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://gremlin-staging-wus2-flatschema-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-staging-wus2-flatschema-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pjohari/providers/Microsoft.DocumentDB/databaseAccounts/pjohari-test-west2\",\r\n \"name\": \"pjohari-test-west2\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-29T01:36:00.5299323Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pjohari-test-west2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"6885ee72-b5a0-47bb-9e44-7e613fa09786\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pjohari-test-west2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pjohari-test-west2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pjohari-test-west2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pjohari-test-west2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"pjohari-test-west2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pjohari-test-west2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pjohari-test-west2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pjohari-test-west2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"pjohari-test-west2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pjohari-test-west2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pjohari-test-west2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"pjohari-test-west2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/hidhawal/providers/Microsoft.DocumentDB/databaseAccounts/hidhawal-test\",\r\n \"name\": \"hidhawal-test\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-30T04:46:00.4066141Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://hidhawal-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"04660086-1070-4d5d-a8bc-9c074af31f13\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"hidhawal-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://hidhawal-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"hidhawal-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://hidhawal-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"hidhawal-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://hidhawal-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"hidhawal-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/vinhstagepitr\",\r\n \"name\": \"vinhstagepitr\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-02T23:44:13.0056918Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vinhstagepitr.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"5dee0717-8f84-40d7-b7c1-921552ba61a5\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vinhstagepitr-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vinhstagepitr-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vinhstagepitr-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vinhstagepitr-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vinhstagepitr-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vinhstagepitr-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vinhstagepitr-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/hidhawal/providers/Microsoft.DocumentDB/databaseAccounts/hidhawal-test2\",\r\n \"name\": \"hidhawal-test2\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-03T02:43:38.2623252Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://hidhawal-test2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"8585d369-799b-442b-af20-2c249bbf15b1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"hidhawal-test2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://hidhawal-test2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"hidhawal-test2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://hidhawal-test2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"hidhawal-test2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://hidhawal-test2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"hidhawal-test2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/hidhawal/providers/Microsoft.DocumentDB/databaseAccounts/hidhawal-test4\",\r\n \"name\": \"hidhawal-test4\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-10T00:31:03.0211304Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://hidhawal-test4.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"99969d83-1c81-417e-8bbf-48d5547d438b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"hidhawal-test4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://hidhawal-test4-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"hidhawal-test4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://hidhawal-test4-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"hidhawal-test4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://hidhawal-test4-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"hidhawal-test4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/jasontho-newstage36\",\r\n \"name\": \"jasontho-newstage36\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-21T00:28:50.2585254Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://jasontho-newstage36.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://jasontho-newstage36.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"9630b5fc-dd1b-4c8a-8d2a-b64fea18608a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"jasontho-newstage36-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jasontho-newstage36-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"jasontho-newstage36-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jasontho-newstage36-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"jasontho-newstage36-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://jasontho-newstage36-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"jasontho-newstage36-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cosmosdbqueryteam/providers/Microsoft.DocumentDB/databaseAccounts/mongoquerytest\",\r\n \"name\": \"mongoquerytest\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-23T19:53:04.4044685Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongoquerytest.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongoquerytest.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"787dc229-72b6-46f1-af38-30407d84560b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongoquerytest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mongoquerytest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongoquerytest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mongoquerytest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongoquerytest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mongoquerytest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongoquerytest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/vinhstagemongopitr\",\r\n \"name\": \"vinhstagemongopitr\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-25T17:07:32.8844415Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vinhstagemongopitr.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://vinhstagemongopitr.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"5cfa410f-ea0c-4995-aa59-9809a69c21f8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vinhstagemongopitr-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vinhstagemongopitr-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vinhstagemongopitr-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vinhstagemongopitr-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vinhstagemongopitr-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vinhstagemongopitr-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vinhstagemongopitr-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai-test/providers/Microsoft.DocumentDB/databaseAccounts/test-virangai-vinhstagemongopitr-del-res1\",\r\n \"name\": \"test-virangai-vinhstagemongopitr-del-res1\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-30T23:17:01.5955663Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagemongopitr-del-res1.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://test-virangai-vinhstagemongopitr-del-res1.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"2b5e6412-19dc-4d79-88ae-178f5e30dd78\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagemongopitr-del-res1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagemongopitr-del-res1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagemongopitr-del-res1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagemongopitr-del-res1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagemongopitr-del-res1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagemongopitr-del-res1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagemongopitr-del-res1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5631ca54-c65e-4c02-97ad-57a7a12b8da0\",\r\n \"restoreTimestampInUtc\": \"2020-11-30T22:39:00Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/pitr-sql-stage-source\",\r\n \"name\": \"pitr-sql-stage-source\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-08T18:18:46.0964181Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-source.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"9a4b63c3-49d1-4c87-b28e-92e92aeaa0ea\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-sql-stage-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-source-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-sql-stage-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-source-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"pitr-sql-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-sql-stage-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-source-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"pitr-sql-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-sql-stage-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"pitr-sql-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/restore-test1\",\r\n \"name\": \"restore-test1\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-08T21:44:46.139089Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://restore-test1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"7d98d6c0-eadf-4d7e-a166-696de37c91fc\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"restore-test1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restore-test1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"restore-test1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restore-test1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"restore-test1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restore-test1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"restore-test1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5dee0717-8f84-40d7-b7c1-921552ba61a5\",\r\n \"restoreTimestampInUtc\": \"2020-11-12T00:40:36Z\",\r\n \"databasesToRestore\": [\r\n {\r\n \"databaseName\": \"CosmosPITRTest\",\r\n \"collectionNames\": [\r\n \"Test0\",\r\n \"Test1\"\r\n ]\r\n }\r\n ]\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai/providers/Microsoft.DocumentDB/databaseAccounts/test-virangai-vinhstagemongopitr-1\",\r\n \"name\": \"test-virangai-vinhstagemongopitr-1\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-09T10:37:07.3408295Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagemongopitr-1.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://test-virangai-vinhstagemongopitr-1.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"08155af7-e63f-4db1-82ed-c99b8a08e541\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagemongopitr-1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagemongopitr-1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagemongopitr-1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagemongopitr-1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagemongopitr-1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagemongopitr-1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagemongopitr-1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5cfa410f-ea0c-4995-aa59-9809a69c21f8\",\r\n \"restoreTimestampInUtc\": \"2020-11-25T17:25:31Z\",\r\n \"databasesToRestore\": [\r\n {\r\n \"databaseName\": \"mongodbdb\",\r\n \"collectionNames\": [\r\n \"coll2\",\r\n \"collone\"\r\n ]\r\n }\r\n ]\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai/providers/Microsoft.DocumentDB/databaseAccounts/virangai-test-vinhstagepitr-restore1\",\r\n \"name\": \"virangai-test-vinhstagepitr-restore1\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-10T02:08:17.9156245Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://virangai-test-vinhstagepitr-restore1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d0cb2ece-f253-4f20-86d0-01897e729eba\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"virangai-test-vinhstagepitr-restore1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-vinhstagepitr-restore1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"virangai-test-vinhstagepitr-restore1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-vinhstagepitr-restore1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"virangai-test-vinhstagepitr-restore1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-vinhstagepitr-restore1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"virangai-test-vinhstagepitr-restore1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5dee0717-8f84-40d7-b7c1-921552ba61a5\",\r\n \"restoreTimestampInUtc\": \"2020-11-12T00:40:54Z\",\r\n \"databasesToRestore\": [\r\n {\r\n \"databaseName\": \"db1\",\r\n \"collectionNames\": [\r\n \"container1\"\r\n ]\r\n },\r\n {\r\n \"databaseName\": \"CosmosPITRTest\",\r\n \"collectionNames\": [\r\n \"Test13\",\r\n \"Test5\",\r\n \"Test2\",\r\n \"Test9\",\r\n \"Test22\",\r\n \"Test12\",\r\n \"Test7\",\r\n \"Test11\",\r\n \"Test3\",\r\n \"Test18\",\r\n \"Test6\",\r\n \"Test0\",\r\n \"Test8\",\r\n \"Test14\",\r\n \"Test17\",\r\n \"Test25\",\r\n \"Test1\",\r\n \"Test19\",\r\n \"Test15\",\r\n \"Test10\",\r\n \"Test26\",\r\n \"Test21\",\r\n \"Test24\",\r\n \"Test23\",\r\n \"Test16\",\r\n \"Test4\",\r\n \"Test20\"\r\n ]\r\n },\r\n {\r\n \"databaseName\": \"CosmosIOTDemo\",\r\n \"collectionNames\": [\r\n \"VehicleData\"\r\n ]\r\n }\r\n ]\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai/providers/Microsoft.DocumentDB/databaseAccounts/virangai-test-vinhstagepitr-restore2\",\r\n \"name\": \"virangai-test-vinhstagepitr-restore2\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-10T03:12:30.5345961Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://virangai-test-vinhstagepitr-restore2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"9373a8d7-1889-4be9-9ddb-e589e406d04b\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"virangai-test-vinhstagepitr-restore2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-vinhstagepitr-restore2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"virangai-test-vinhstagepitr-restore2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-vinhstagepitr-restore2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"virangai-test-vinhstagepitr-restore2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-vinhstagepitr-restore2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"virangai-test-vinhstagepitr-restore2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5dee0717-8f84-40d7-b7c1-921552ba61a5\",\r\n \"restoreTimestampInUtc\": \"2020-11-12T00:41:12Z\",\r\n \"databasesToRestore\": [\r\n {\r\n \"databaseName\": \"db1\",\r\n \"collectionNames\": [\r\n \"container1\"\r\n ]\r\n },\r\n {\r\n \"databaseName\": \"CosmosPITRTest\",\r\n \"collectionNames\": [\r\n \"Test13\",\r\n \"Test5\",\r\n \"Test37\",\r\n \"Test44\",\r\n \"Test2\",\r\n \"Test9\",\r\n \"Test34\",\r\n \"Test22\",\r\n \"Test12\",\r\n \"Test40\",\r\n \"Test46\",\r\n \"Test7\",\r\n \"Test35\",\r\n \"Test11\",\r\n \"Test3\",\r\n \"Test18\",\r\n \"Test6\",\r\n \"Test0\",\r\n \"Test41\",\r\n \"Test28\",\r\n \"Test8\",\r\n \"Test14\",\r\n \"Test17\",\r\n \"Test30\",\r\n \"Test25\",\r\n \"Test42\",\r\n \"Test1\",\r\n \"Test19\",\r\n \"Test15\",\r\n \"Test48\",\r\n \"Test27\",\r\n \"Test47\",\r\n \"Test31\",\r\n \"Test32\",\r\n \"Test10\",\r\n \"Test26\",\r\n \"Test21\",\r\n \"Test38\",\r\n \"Test45\",\r\n \"Test39\",\r\n \"Test36\",\r\n \"Test24\",\r\n \"Test49\",\r\n \"Test33\",\r\n \"Test23\",\r\n \"Test29\",\r\n \"Test16\",\r\n \"Test43\",\r\n \"Test4\",\r\n \"Test20\"\r\n ]\r\n },\r\n {\r\n \"databaseName\": \"CosmosIOTDemo\",\r\n \"collectionNames\": [\r\n \"VehicleData\"\r\n ]\r\n }\r\n ]\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/restoredaccountname637435832535194992\",\r\n \"name\": \"restoredaccountname637435832535194992\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-15T23:04:00.348964Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://restoredaccountname637435832535194992.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"530b269d-274b-4987-94e1-f54b09abecff\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"restoredaccountname637435832535194992-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname637435832535194992-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"restoredaccountname637435832535194992-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname637435832535194992-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"restoredaccountname637435832535194992-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname637435832535194992-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"restoredaccountname637435832535194992-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/9a4b63c3-49d1-4c87-b28e-92e92aeaa0ea\",\r\n \"restoreTimestampInUtc\": \"2020-12-14T22:54:13.5194992Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/restoredaccountname359\",\r\n \"name\": \"restoredaccountname359\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-16T00:51:05.9707658Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://restoredaccountname359.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"4993c7e8-c48b-4e45-9353-9baea1ce9e2a\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"restoredaccountname359-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname359-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"restoredaccountname359-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname359-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"restoredaccountname359-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname359-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"restoredaccountname359-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/9a4b63c3-49d1-4c87-b28e-92e92aeaa0ea\",\r\n \"restoreTimestampInUtc\": \"2020-12-16T00:00:00Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/pitr-sql-stage-restored-from-new-portal\",\r\n \"name\": \"pitr-sql-stage-restored-from-new-portal\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-05T00:28:33.8472693Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-restored-from-new-portal.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d673eaa8-f7fa-421f-9d61-ba314864a431\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-sql-stage-restored-from-new-portal-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-restored-from-new-portal-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-sql-stage-restored-from-new-portal-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-restored-from-new-portal-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-sql-stage-restored-from-new-portal-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-restored-from-new-portal-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-sql-stage-restored-from-new-portal-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/9a4b63c3-49d1-4c87-b28e-92e92aeaa0ea\",\r\n \"restoreTimestampInUtc\": \"2020-12-08T22:00:02Z\",\r\n \"databasesToRestore\": [\r\n {\r\n \"databaseName\": \"database1\",\r\n \"collectionNames\": [\r\n \"container1\"\r\n ]\r\n }\r\n ]\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/pitrtest1-res1\",\r\n \"name\": \"pitrtest1-res1\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-05T23:45:54.8433804Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitrtest1-res1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"6d6384ae-d623-4323-8388-65ca7df02733\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitrtest1-res1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitrtest1-res1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitrtest1-res1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitrtest1-res1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitrtest1-res1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitrtest1-res1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitrtest1-res1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5dee0717-8f84-40d7-b7c1-921552ba61a5\",\r\n \"restoreTimestampInUtc\": \"2020-12-12T00:41:10Z\",\r\n \"databasesToRestore\": [\r\n {\r\n \"databaseName\": \"db1\",\r\n \"collectionNames\": [\r\n \"container1\"\r\n ]\r\n }\r\n ]\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/pitrtest1-res2\",\r\n \"name\": \"pitrtest1-res2\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-05T23:46:36.9885427Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitrtest1-res2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"0bcf9a9b-1ca1-4406-9652-aa087d5f0b3f\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitrtest1-res2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitrtest1-res2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitrtest1-res2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitrtest1-res2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitrtest1-res2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitrtest1-res2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitrtest1-res2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5dee0717-8f84-40d7-b7c1-921552ba61a5\",\r\n \"restoreTimestampInUtc\": \"2020-12-12T00:41:10Z\",\r\n \"databasesToRestore\": [\r\n {\r\n \"databaseName\": \"db1\",\r\n \"collectionNames\": [\r\n \"container1\"\r\n ]\r\n }\r\n ]\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai-test/providers/Microsoft.DocumentDB/databaseAccounts/test-virangai-vinhstagepitr-1\",\r\n \"name\": \"test-virangai-vinhstagepitr-1\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-06T09:24:06.8099413Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagepitr-1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"b15e30f1-4e37-4fca-b77b-303516959017\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagepitr-1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagepitr-1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagepitr-1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagepitr-1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagepitr-1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagepitr-1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagepitr-1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5dee0717-8f84-40d7-b7c1-921552ba61a5\",\r\n \"restoreTimestampInUtc\": \"2020-12-12T00:41:13Z\",\r\n \"databasesToRestore\": [\r\n {\r\n \"databaseName\": \"db1\",\r\n \"collectionNames\": [\r\n \"container1\"\r\n ]\r\n },\r\n {\r\n \"databaseName\": \"CosmosPITRTest\",\r\n \"collectionNames\": [\r\n \"Test13\",\r\n \"Test5\",\r\n \"Test37\",\r\n \"Test44\",\r\n \"Test2\",\r\n \"Test9\",\r\n \"Test34\",\r\n \"Test22\",\r\n \"Test12\",\r\n \"Test40\",\r\n \"Test46\",\r\n \"Test7\",\r\n \"Test35\",\r\n \"Test11\",\r\n \"Test3\",\r\n \"Test18\",\r\n \"Test6\",\r\n \"Test0\",\r\n \"Test41\",\r\n \"Test28\",\r\n \"Test8\",\r\n \"Test14\",\r\n \"Test17\",\r\n \"Test30\",\r\n \"Test25\",\r\n \"Test42\",\r\n \"Test1\",\r\n \"Test19\",\r\n \"Test15\",\r\n \"Test48\",\r\n \"Test27\",\r\n \"Test47\",\r\n \"Test31\",\r\n \"Test32\",\r\n \"Test10\",\r\n \"Test26\",\r\n \"Test21\",\r\n \"Test38\",\r\n \"Test45\",\r\n \"Test39\",\r\n \"Test36\",\r\n \"Test24\",\r\n \"Test49\",\r\n \"Test33\",\r\n \"Test23\",\r\n \"Test29\",\r\n \"Test16\",\r\n \"Test43\",\r\n \"Test4\",\r\n \"Test20\"\r\n ]\r\n },\r\n {\r\n \"databaseName\": \"CosmosIOTDemo\",\r\n \"collectionNames\": [\r\n \"VehicleData\"\r\n ]\r\n }\r\n ]\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai-test/providers/Microsoft.DocumentDB/databaseAccounts/test-virangai-vinhstagepitr-2\",\r\n \"name\": \"test-virangai-vinhstagepitr-2\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-06T09:33:05.9310034Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagepitr-2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"617f5c88-2a93-45b4-be38-0cd7addea976\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagepitr-2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagepitr-2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagepitr-2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagepitr-2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagepitr-2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-vinhstagepitr-2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-virangai-vinhstagepitr-2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5dee0717-8f84-40d7-b7c1-921552ba61a5\",\r\n \"restoreTimestampInUtc\": \"2020-12-12T00:41:13Z\",\r\n \"databasesToRestore\": [\r\n {\r\n \"databaseName\": \"db1\",\r\n \"collectionNames\": [\r\n \"container1\"\r\n ]\r\n },\r\n {\r\n \"databaseName\": \"CosmosPITRTest\",\r\n \"collectionNames\": [\r\n \"Test13\",\r\n \"Test5\",\r\n \"Test37\",\r\n \"Test44\",\r\n \"Test2\",\r\n \"Test9\",\r\n \"Test34\",\r\n \"Test22\",\r\n \"Test12\",\r\n \"Test40\",\r\n \"Test46\",\r\n \"Test7\",\r\n \"Test35\",\r\n \"Test11\",\r\n \"Test3\",\r\n \"Test18\",\r\n \"Test6\",\r\n \"Test0\",\r\n \"Test41\",\r\n \"Test28\",\r\n \"Test8\",\r\n \"Test14\",\r\n \"Test17\",\r\n \"Test30\",\r\n \"Test25\",\r\n \"Test42\",\r\n \"Test1\",\r\n \"Test19\",\r\n \"Test15\",\r\n \"Test48\",\r\n \"Test27\",\r\n \"Test47\",\r\n \"Test31\",\r\n \"Test32\",\r\n \"Test10\",\r\n \"Test26\",\r\n \"Test21\",\r\n \"Test38\",\r\n \"Test45\",\r\n \"Test39\",\r\n \"Test36\",\r\n \"Test24\",\r\n \"Test49\",\r\n \"Test33\",\r\n \"Test23\",\r\n \"Test29\",\r\n \"Test16\",\r\n \"Test43\",\r\n \"Test4\",\r\n \"Test20\"\r\n ]\r\n },\r\n {\r\n \"databaseName\": \"CosmosIOTDemo\",\r\n \"collectionNames\": [\r\n \"VehicleData\"\r\n ]\r\n }\r\n ]\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/test-restore-4\",\r\n \"name\": \"test-restore-4\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-07T01:23:38.3845009Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-restore-4.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"2eecc23f-69df-4de3-9103-b6ca529536a4\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-restore-4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-restore-4-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-restore-4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-restore-4-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-restore-4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-restore-4-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-restore-4-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5dee0717-8f84-40d7-b7c1-921552ba61a5\",\r\n \"restoreTimestampInUtc\": \"2020-12-12T00:41:13Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/test-restore5\",\r\n \"name\": \"test-restore5\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-07T01:23:39.9001395Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-restore5.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d91e1ad2-22b0-401e-b465-a16e5928e194\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-restore5-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-restore5-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-restore5-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-restore5-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-restore5-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-restore5-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-restore5-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5dee0717-8f84-40d7-b7c1-921552ba61a5\",\r\n \"restoreTimestampInUtc\": \"2020-12-12T00:41:13Z\",\r\n \"databasesToRestore\": [\r\n {\r\n \"databaseName\": \"db1\",\r\n \"collectionNames\": [\r\n \"container1\"\r\n ]\r\n },\r\n {\r\n \"databaseName\": \"CosmosPITRTest\",\r\n \"collectionNames\": [\r\n \"Test13\",\r\n \"Test5\",\r\n \"Test37\",\r\n \"Test44\",\r\n \"Test2\",\r\n \"Test9\",\r\n \"Test34\",\r\n \"Test22\",\r\n \"Test12\",\r\n \"Test40\",\r\n \"Test46\",\r\n \"Test7\",\r\n \"Test35\",\r\n \"Test11\",\r\n \"Test3\",\r\n \"Test18\",\r\n \"Test6\",\r\n \"Test0\",\r\n \"Test41\",\r\n \"Test28\",\r\n \"Test8\",\r\n \"Test14\",\r\n \"Test17\",\r\n \"Test30\",\r\n \"Test25\",\r\n \"Test42\",\r\n \"Test1\",\r\n \"Test19\",\r\n \"Test15\",\r\n \"Test48\",\r\n \"Test27\",\r\n \"Test47\",\r\n \"Test31\",\r\n \"Test32\",\r\n \"Test10\",\r\n \"Test26\",\r\n \"Test21\",\r\n \"Test38\",\r\n \"Test45\",\r\n \"Test39\",\r\n \"Test36\",\r\n \"Test24\",\r\n \"Test49\",\r\n \"Test33\",\r\n \"Test23\",\r\n \"Test29\",\r\n \"Test16\",\r\n \"Test43\",\r\n \"Test4\",\r\n \"Test20\"\r\n ]\r\n },\r\n {\r\n \"databaseName\": \"CosmosIOTDemo\",\r\n \"collectionNames\": [\r\n \"VehicleData\"\r\n ]\r\n }\r\n ]\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/test-restore6\",\r\n \"name\": \"test-restore6\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-07T03:18:45.0362608Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-restore6.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"132908b6-2701-44a5-bdbe-a7c296e26283\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-restore6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-restore6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-restore6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-restore6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-restore6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-restore6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-restore6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5dee0717-8f84-40d7-b7c1-921552ba61a5\",\r\n \"restoreTimestampInUtc\": \"2020-12-12T00:41:13Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/SQL_on_Compute_sign_off/providers/Microsoft.DocumentDB/databaseAccounts/sqloncomputejavastagesignoff\",\r\n \"name\": \"sqloncomputejavastagesignoff\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-15T02:06:13.3937424Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sqloncomputejavastagesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"sqlEndpoint\": \"https://sqloncomputejavastagesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"769be62e-1c2a-4e5d-a4a4-03f8361723f6\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Strong\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sqloncomputejavastagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputejavastagesignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sqloncomputejavastagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputejavastagesignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sqloncomputejavastagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputejavastagesignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sqloncomputejavastagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSql\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/SQL_on_Compute_sign_off/providers/Microsoft.DocumentDB/databaseAccounts/sqloncomputepythonstagesignoff\",\r\n \"name\": \"sqloncomputepythonstagesignoff\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-15T02:39:17.5555868Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sqloncomputepythonstagesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"sqlEndpoint\": \"https://sqloncomputepythonstagesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"ffeab641-7c1a-4645-8f24-f65ea835127b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sqloncomputepythonstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputepythonstagesignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sqloncomputepythonstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputepythonstagesignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sqloncomputepythonstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputepythonstagesignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sqloncomputepythonstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSql\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/SQL_on_Compute_sign_off/providers/Microsoft.DocumentDB/databaseAccounts/sqloncomputejsstagesignoff\",\r\n \"name\": \"sqloncomputejsstagesignoff\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-15T02:48:12.482706Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sqloncomputejsstagesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"sqlEndpoint\": \"https://sqloncomputejsstagesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c90decf6-1ffb-4136-ae78-60fa87a232e5\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sqloncomputejsstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputejsstagesignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sqloncomputejsstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputejsstagesignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sqloncomputejsstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputejsstagesignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sqloncomputejsstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSql\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/pitr-sql-stage-source-personalrestore-greeen\",\r\n \"name\": \"pitr-sql-stage-source-personalrestore-greeen\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-15T22:51:58.351694Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-source-personalrestore-greeen.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"2ab6f2d2-ce7e-439b-90b3-5505c8f9ff76\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-sql-stage-source-personalrestore-greeen-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-source-personalrestore-greeen-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-sql-stage-source-personalrestore-greeen-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-source-personalrestore-greeen-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-sql-stage-source-personalrestore-greeen-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-sql-stage-source-personalrestore-greeen-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-sql-stage-source-personalrestore-greeen-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/9a4b63c3-49d1-4c87-b28e-92e92aeaa0ea\",\r\n \"restoreTimestampInUtc\": \"2021-01-14T00:00:00Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/SQL_on_Compute_sign_off/providers/Microsoft.DocumentDB/databaseAccounts/sqloncomputejava2asyncstagesignoff\",\r\n \"name\": \"sqloncomputejava2asyncstagesignoff\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-31T20:44:19.1421044Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sqloncomputejava2asyncstagesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"sqlEndpoint\": \"https://sqloncomputejava2asyncstagesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"765d0215-9e26-45b4-959c-1ddc4008ba84\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Strong\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sqloncomputejava2asyncstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputejava2asyncstagesignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sqloncomputejava2asyncstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputejava2asyncstagesignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sqloncomputejava2asyncstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputejava2asyncstagesignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sqloncomputejava2asyncstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSql\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/SQL_on_Compute_sign_off/providers/Microsoft.DocumentDB/databaseAccounts/sqloncomputejava2syncstagesignoff\",\r\n \"name\": \"sqloncomputejava2syncstagesignoff\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-31T20:48:50.7232085Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sqloncomputejava2syncstagesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"sqlEndpoint\": \"https://sqloncomputejava2syncstagesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"4cb783c6-fd67-4138-bbaa-648339ef64f5\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Strong\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sqloncomputejava2syncstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputejava2syncstagesignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sqloncomputejava2syncstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputejava2syncstagesignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sqloncomputejava2syncstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputejava2syncstagesignoff-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sqloncomputejava2syncstagesignoff-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSql\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abpairg/providers/Microsoft.DocumentDB/databaseAccounts/saawasek\",\r\n \"name\": \"saawasek\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"Owner\": \"saawasel\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-08T09:39:57.620453Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://saawasek.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"ddfae86a-219a-4e81-99ff-c8b11995305c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"saawasek-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://saawasek-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"saawasek-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://saawasek-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"saawasek-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://saawasek-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"saawasek-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/emlopez/providers/Microsoft.DocumentDB/databaseAccounts/emlopez-latencytest\",\r\n \"name\": \"emlopez-latencytest\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-09T21:45:29.0103423Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://emlopez-latencytest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"cb72edb9-6050-4786-a682-d8f6ef1fb57a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"emlopez-latencytest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://emlopez-latencytest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"emlopez-latencytest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://emlopez-latencytest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"emlopez-latencytest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://emlopez-latencytest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"emlopez-latencytest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/targetacctrestore\",\r\n \"name\": \"targetacctrestore\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-18T18:30:13.6151361Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://targetacctrestore.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"483d93e5-302b-4093-9502-ce63d416e70f\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"targetacctrestore-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://targetacctrestore-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"targetacctrestore-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://targetacctrestore-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"targetacctrestore-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://targetacctrestore-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"targetacctrestore-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/6d6384ae-d623-4323-8388-65ca7df02733\",\r\n \"restoreTimestampInUtc\": \"2021-02-18T17:40:00Z\",\r\n \"databasesToRestore\": [\r\n {\r\n \"databaseName\": \"db1\",\r\n \"collectionNames\": [\r\n \"container1\"\r\n ]\r\n }\r\n ]\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/kakhandr-rg/providers/Microsoft.DocumentDB/databaseAccounts/kal-cli-backup-test\",\r\n \"name\": \"kal-cli-backup-test\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-22T20:39:55.3350623Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://kal-cli-backup-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"7cbbd986-d40d-4b12-a895-3a3a29510125\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"kal-cli-backup-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kal-cli-backup-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"kal-cli-backup-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kal-cli-backup-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"kal-cli-backup-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kal-cli-backup-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"kal-cli-backup-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/kakhandr-rg/providers/Microsoft.DocumentDB/databaseAccounts/kal-ps-backup-test\",\r\n \"name\": \"kal-ps-backup-test\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-22T21:55:54.9343272Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://kal-ps-backup-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d80e71f3-805e-4e73-af7d-eb611f1dc9ee\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"kal-ps-backup-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kal-ps-backup-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"kal-ps-backup-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kal-ps-backup-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"kal-ps-backup-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kal-ps-backup-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"kal-ps-backup-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 480,\r\n \"backupRetentionIntervalInHours\": 16,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CtlProfilingPrototypes/providers/Microsoft.DocumentDB/databaseAccounts/ecommerceprototype\",\r\n \"name\": \"ecommerceprototype\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-22T22:15:30.854419Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ecommerceprototype.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c1f5edbe-9964-4837-bee1-4120d2bc50c1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ecommerceprototype-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ecommerceprototype-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ecommerceprototype-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ecommerceprototype-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ecommerceprototype-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ecommerceprototype-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ecommerceprototype-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mominag-stage7/providers/Microsoft.DocumentDB/databaseAccounts/mominag-stage7\",\r\n \"name\": \"mominag-stage7\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-23T16:58:34.9565429Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mominag-stage7.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"949e3d88-b414-4052-81b5-6149798ac713\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mominag-stage7-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mominag-stage7-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mominag-stage7-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mominag-stage7-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mominag-stage7-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mominag-stage7-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mominag-stage7-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/tvoellm-group/providers/Microsoft.DocumentDB/databaseAccounts/testingenffailure\",\r\n \"name\": \"testingenffailure\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-23T18:13:30.9839886Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testingenffailure.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"61492410-2fa8-4a5e-9c71-e15a140ac601\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"keyVaultKeyUri\": \"https://testingenforcement.vault.azure.net/keys/byok\",\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testingenffailure-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testingenffailure-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testingenffailure-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testingenffailure-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testingenffailure-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://testingenffailure-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testingenffailure-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/thweiss-stage/providers/Microsoft.DocumentDB/databaseAccounts/thweiss-rbac-stage\",\r\n \"name\": \"thweiss-rbac-stage\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-24T18:13:55.1445545Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://thweiss-rbac-stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"91330c19-b2c6-4f1b-84d1-5cf4d48895bf\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"thweiss-rbac-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://thweiss-rbac-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"thweiss-rbac-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://thweiss-rbac-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"thweiss-rbac-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://thweiss-rbac-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"thweiss-rbac-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vinh-stage-rp/providers/Microsoft.DocumentDB/databaseAccounts/virangai-test-vinhstagepitr-res\",\r\n \"name\": \"virangai-test-vinhstagepitr-res\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-26T22:14:49.5292394Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://virangai-test-vinhstagepitr-res.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"74e9ac09-75d3-448a-a128-e71866b42e95\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"virangai-test-vinhstagepitr-res-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-vinhstagepitr-res-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"virangai-test-vinhstagepitr-res-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-vinhstagepitr-res-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"virangai-test-vinhstagepitr-res-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-vinhstagepitr-res-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"virangai-test-vinhstagepitr-res-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/5dee0717-8f84-40d7-b7c1-921552ba61a5\",\r\n \"restoreTimestampInUtc\": \"2021-02-17T00:41:13Z\",\r\n \"databasesToRestore\": [\r\n {\r\n \"databaseName\": \"Test\",\r\n \"collectionNames\": [\r\n \"Test\"\r\n ]\r\n }\r\n ]\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/shthekkachangefeed\",\r\n \"name\": \"shthekkachangefeed\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-02T01:23:50.923821Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://shthekkachangefeed.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"93b4a120-202e-49a7-8559-5da22bf22204\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shthekkachangefeed-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shthekkachangefeed-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shthekkachangefeed-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shthekkachangefeed-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/wmengstagetest/providers/Microsoft.DocumentDB/databaseAccounts/wmengstagemongowestus2a\",\r\n \"name\": \"wmengstagemongowestus2a\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-02T07:53:29.6512895Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://wmengstagemongowestus2a.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://wmengstagemongowestus2a.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"5be6f8f7-6186-4609-b589-a23bc7a39bde\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"wmengstagemongowestus2a-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://wmengstagemongowestus2a-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"wmengstagemongowestus2a-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://wmengstagemongowestus2a-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"wmengstagemongowestus2a-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://wmengstagemongowestus2a-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"wmengstagemongowestus2a-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/shthekkachangefeed1\",\r\n \"name\": \"shthekkachangefeed1\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-02T14:07:59.2149188Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"2c0ea95d-1e53-48d6-adbb-6a7fac1b8783\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": true,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shthekkachangefeed1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shthekkachangefeed1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shthekkachangefeed1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shthekkachangefeed1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/shthekkachangefeed2\",\r\n \"name\": \"shthekkachangefeed2\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-02T16:54:10.5282163Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"dd7602ae-9453-48bf-9bc7-4404ee55f818\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": true,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shthekkachangefeed2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shthekkachangefeed2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shthekkachangefeed2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shthekkachangefeed2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/restoredaccountname8240\",\r\n \"name\": \"restoredaccountname8240\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-02T23:44:12.9677973Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://restoredaccountname8240.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"24f3f6b6-9d96-4dc2-84b9-ae1c0cba8d4e\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"restoredaccountname8240-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname8240-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"restoredaccountname8240-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname8240-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"restoredaccountname8240-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname8240-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"restoredaccountname8240-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/9a4b63c3-49d1-4c87-b28e-92e92aeaa0ea\",\r\n \"restoreTimestampInUtc\": \"2021-03-01T00:00:00Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/restoredaccountname320\",\r\n \"name\": \"restoredaccountname320\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T00:59:33.2653566Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://restoredaccountname320.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"f319c2f4-7e68-48c0-9eac-94e12fb51179\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"restoredaccountname320-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname320-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"restoredaccountname320-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname320-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"restoredaccountname320-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname320-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"restoredaccountname320-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/9a4b63c3-49d1-4c87-b28e-92e92aeaa0ea\",\r\n \"restoreTimestampInUtc\": \"2021-03-01T00:00:00Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/restoredaccountname6982\",\r\n \"name\": \"restoredaccountname6982\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T02:34:05.8453693Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://restoredaccountname6982.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"672e89ce-0096-4a87-8131-3d2d5d483a3a\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"restoredaccountname6982-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname6982-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"restoredaccountname6982-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname6982-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"restoredaccountname6982-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname6982-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"restoredaccountname6982-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/9a4b63c3-49d1-4c87-b28e-92e92aeaa0ea\",\r\n \"restoreTimestampInUtc\": \"2021-03-01T00:00:00Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/restoredaccountname8295\",\r\n \"name\": \"restoredaccountname8295\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T17:48:44.4341123Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://restoredaccountname8295.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"1a937e8e-1a33-4fd1-9349-34ede3dd02f2\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"restoredaccountname8295-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname8295-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"restoredaccountname8295-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname8295-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"restoredaccountname8295-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname8295-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"restoredaccountname8295-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/westus2/restorableDatabaseAccounts/9a4b63c3-49d1-4c87-b28e-92e92aeaa0ea\",\r\n \"restoreTimestampInUtc\": \"2021-03-01T00:00:00Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/srpalive-rg/providers/Microsoft.DocumentDB/databaseAccounts/srpalive-stg-test-globalstrong\",\r\n \"name\": \"srpalive-stg-test-globalstrong\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-09T23:13:55.6811982Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://srpalive-stg-test-globalstrong.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"6c81752b-01db-4bf4-bb70-f1198926b61c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Strong\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"srpalive-stg-test-globalstrong-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://srpalive-stg-test-globalstrong-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"srpalive-stg-test-globalstrong-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://srpalive-stg-test-globalstrong-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"srpalive-stg-test-globalstrong-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://srpalive-stg-test-globalstrong-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"srpalive-stg-test-globalstrong-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://srpalive-stg-test-globalstrong-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"srpalive-stg-test-globalstrong-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://srpalive-stg-test-globalstrong-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"srpalive-stg-test-globalstrong-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://srpalive-stg-test-globalstrong-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"srpalive-stg-test-globalstrong-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://srpalive-stg-test-globalstrong-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"srpalive-stg-test-globalstrong-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"srpalive-stg-test-globalstrong-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 2\r\n },\r\n {\r\n \"id\": \"srpalive-stg-test-globalstrong-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 2\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/viho-rg-stage/providers/Microsoft.DocumentDB/databaseAccounts/vihosqllegacygateway3\",\r\n \"name\": \"vihosqllegacygateway3\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-18T01:15:09.5863718Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vihosqllegacygateway3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c0189f8f-a874-45bb-ae7d-eba95ce8ad17\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vihosqllegacygateway3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vihosqllegacygateway3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vihosqllegacygateway3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vihosqllegacygateway3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vihosqllegacygateway3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vihosqllegacygateway3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vihosqllegacygateway3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/shthekkatestacc2\",\r\n \"name\": \"shthekkatestacc2\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-21T16:49:52.0960724Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shthekkatestacc2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"ee78e74d-3e3a-4549-85d0-9fb358b1c20b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shthekkatestacc2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shthekkatestacc2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shthekkatestacc2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shthekkatestacc2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/shthekkatestacc3\",\r\n \"name\": \"shthekkatestacc3\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-21T17:27:02.9000599Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shthekkatestacc3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"b5df3014-ed80-46aa-9a40-78b87f19e533\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shthekkatestacc3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shthekkatestacc3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shthekkatestacc3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shthekkatestacc3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/shthekkachangefeed3\",\r\n \"name\": \"shthekkachangefeed3\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-28T17:15:13.937906Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"de512772-1941-4f12-8e07-2a338a4d777e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": true,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shthekkachangefeed3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shthekkachangefeed3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shthekkachangefeed3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkachangefeed3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shthekkachangefeed3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/divya-rg/providers/Microsoft.DocumentDB/databaseAccounts/divyatestdb\",\r\n \"name\": \"divyatestdb\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-31T02:42:49.8877686Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://divyatestdb.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"6f28c149-116f-43ce-aa2c-383189e3411b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"divyatestdb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://divyatestdb-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"divyatestdb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://divyatestdb-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"divyatestdb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://divyatestdb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"divyatestdb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://divyatestdb-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"divyatestdb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://divyatestdb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"divyatestdb-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"divyatestdb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Local\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cph-stage-westus2-rg/providers/Microsoft.DocumentDB/databaseAccounts/cph-stage-westus2-sql\",\r\n \"name\": \"cph-stage-westus2-sql\",\r\n \"location\": \"West US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-27T17:19:40.2670825Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cph-stage-westus2-sql.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a48f3b26-c5ab-4cc0-83a9-3c8bbf7f9942\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cph-stage-westus2-sql-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-westus2-sql-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cph-stage-westus2-sql-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-westus2-sql-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cph-stage-westus2-sql-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-westus2-sql-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cph-stage-westus2-sql-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli4mjhqv3b574l\",\r\n \"name\": \"cli4mjhqv3b574l\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-03T02:53:40.0432893Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cli4mjhqv3b574l.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"cbea4201-475f-4957-8a4e-bdb781826112\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cli4mjhqv3b574l-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cli4mjhqv3b574l-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cli4mjhqv3b574l-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cli4mjhqv3b574l-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cli4mjhqv3b574l-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cli4mjhqv3b574l-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cli4mjhqv3b574l-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shatri_vmss/providers/Microsoft.DocumentDB/databaseAccounts/shatrivmsscas\",\r\n \"name\": \"shatrivmsscas\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-05T22:07:42.0755521Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shatrivmsscas.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://shatrivmsscas.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"97eda513-da11-4b39-a1b4-a0e0212ed46a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shatrivmsscas-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shatrivmsscas-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shatrivmsscas-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shatrivmsscas-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shatrivmsscas-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shatrivmsscas-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shatrivmsscas-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shatri_vmss/providers/Microsoft.DocumentDB/databaseAccounts/shatrivmsscass1\",\r\n \"name\": \"shatrivmsscass1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-05T22:57:54.9590419Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shatrivmsscass1.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://shatrivmsscass1.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d2230b57-fc66-4981-a85c-ff8b4b73a71a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shatrivmsscass1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shatrivmsscass1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shatrivmsscass1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shatrivmsscass1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shatrivmsscass1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shatrivmsscass1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shatrivmsscass1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/kristynh/providers/Microsoft.DocumentDB/databaseAccounts/kristynh-logs-test\",\r\n \"name\": \"kristynh-logs-test\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-07T00:01:50.7316059Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://kristynh-logs-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"ce8d4d88-4820-4f6c-a9e2-1e03cc9e0ad0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"kristynh-logs-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://kristynh-logs-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"kristynh-logs-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://kristynh-logs-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"kristynh-logs-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://kristynh-logs-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"kristynh-logs-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shreygremlintest/providers/Microsoft.DocumentDB/databaseAccounts/shreygremlintest2\",\r\n \"name\": \"shreygremlintest2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlinv2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-07T00:09:04.2396508Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shreygremlintest2.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://shreygremlintest2.gremlin.cosmos.windows-ppe.net/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"GremlinV2\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"3063f0a4-c783-46ac-9453-56182e595e10\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"clusterInstanceCount\": 1,\r\n \"clusterSize\": \"Cosmos.Gremlin.D4s\"\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shreygremlintest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreygremlintest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shreygremlintest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreygremlintest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shreygremlintest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreygremlintest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shreygremlintest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlinV2\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging-eastus2/providers/Microsoft.DocumentDB/databaseAccounts/stage-gv2-2\",\r\n \"name\": \"stage-gv2-2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlinv2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-07T00:25:59.1177018Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stage-gv2-2.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://stage-gv2-2.gremlin.cosmos.windows-ppe.net/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"GremlinV2\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"1547da99-5119-48a2-a54c-90669ad44be9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"clusterInstanceCount\": 1,\r\n \"clusterSize\": \"Cosmos.D4s\"\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stage-gv2-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-gv2-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stage-gv2-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-gv2-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stage-gv2-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-gv2-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stage-gv2-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlinV2\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sanayak-test/providers/Microsoft.DocumentDB/databaseAccounts/sanayakstagevctest\",\r\n \"name\": \"sanayakstagevctest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-08-08T04:46:20.1847198Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sanayakstagevctest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"1b0c2161-4aa4-4b85-b3e9-c4044213e288\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sanayakstagevctest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sanayakstagevctest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sanayakstagevctest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://sanayakstagevctest-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sanayakstagevctest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sanayakstagevctest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sanayakstagevctest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sanayakstagevctest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sanayakstagevctest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://sanayakstagevctest-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sanayakstagevctest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sanayakstagevctest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sanayakstagevctest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sanayakstagevctest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sanayakstagevctest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://sanayakstagevctest-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sanayakstagevctest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sanayakstagevctest-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sanayakstagevctest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"sanayakstagevctest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 2\r\n },\r\n {\r\n \"id\": \"sanayakstagevctest-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 2\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/kristynh/providers/Microsoft.DocumentDB/databaseAccounts/kristynh-new\",\r\n \"name\": \"kristynh-new\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-14T22:54:54.0050232Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://kristynh-new.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"215cee9b-df61-4e7b-8184-67c8fcf60aff\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"kristynh-new-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://kristynh-new-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"kristynh-new-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://kristynh-new-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"kristynh-new-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://kristynh-new-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"kristynh-new-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shreystagetest/providers/Microsoft.DocumentDB/databaseAccounts/shreysqltest2\",\r\n \"name\": \"shreysqltest2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-08T22:13:44.3089632Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shreysqltest2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"2a13e8e3-bf20-42f4-97bc-0ac482cc32b7\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shreysqltest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreysqltest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shreysqltest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreysqltest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shreysqltest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreysqltest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shreysqltest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abpairg/providers/Microsoft.DocumentDB/databaseAccounts/abpaistgcoscass\",\r\n \"name\": \"abpaistgcoscass\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-07T11:14:57.6059262Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://abpaistgcoscass.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://abpaistgcoscass.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"90eeaa31-2f05-495b-8c6d-518394c2174b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Eventual\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"abpaistgcoscass-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://abpaistgcoscass-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"abpaistgcoscass-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://abpaistgcoscass-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"abpaistgcoscass-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://abpaistgcoscass-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"abpaistgcoscass-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/analyticsstore\",\r\n \"name\": \"analyticsstore\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-27T01:14:27.6039365Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://analyticsstore.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"18feb164-58ce-42a8-9c53-01aa42067e4c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"analyticsstore-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://analyticsstore-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"analyticsstore-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://analyticsstore-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"analyticsstore-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://analyticsstore-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"analyticsstore-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/anatest4\",\r\n \"name\": \"anatest4\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-13T00:08:25.2541895Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://anatest4.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"be77c569-4719-48e3-8e3f-21ebabf044da\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"anatest4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://anatest4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"anatest4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://anatest4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"anatest4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://anatest4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"anatest4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ankis-rg99/providers/Microsoft.DocumentDB/databaseAccounts/ankis-cosmos00\",\r\n \"name\": \"ankis-cosmos00\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-01-30T11:17:58.1562355Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ankis-cosmos00.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"f6160a7e-446b-49af-8dde-40e9d1a31843\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ankis-cosmos00-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ankis-cosmos00-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ankis-cosmos00-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ankis-cosmos00-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ankis-cosmos00-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ankis-cosmos00-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ankis-cosmos00-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/ash-df-mongo\",\r\n \"name\": \"ash-df-mongo\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-05T22:54:57.2195328Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-df-mongo.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"312528e0-2767-43ef-9c10-bd6c5e3d6bf1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-df-mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-df-mongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-df-mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-df-mongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-df-mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-df-mongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-df-mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/ash-mongo-test\",\r\n \"name\": \"ash-mongo-test\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-25T22:00:41.5210646Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-mongo-test.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://ash-mongo-test.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"51c5e7b6-9ba5-4f0d-93d8-f21c5d35feee\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-mongo-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-mongo-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-mongo-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-mongo-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-mongo-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-mongo-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-mongo-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/ash-sql-nb\",\r\n \"name\": \"ash-sql-nb\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-25T19:33:41.9917354Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-sql-nb.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"71fcf06e-0d80-446c-9f59-7d6ab937343a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-sql-nb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-sql-nb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-sql-nb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-sql-nb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-sql-nb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-sql-nb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-sql-nb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [\r\n {\r\n \"allowedOrigins\": \"*\"\r\n }\r\n ],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableNotebooks\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/balaperu-test-rg/providers/Microsoft.DocumentDB/databaseAccounts/balaperu-stagetestdb\",\r\n \"name\": \"balaperu-stagetestdb\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-08T23:59:38.4676546Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://balaperu-stagetestdb.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"679dfd1c-daf5-4648-bcd2-a4f602e8fbbe\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"balaperu-stagetestdb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://balaperu-stagetestdb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"balaperu-stagetestdb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://balaperu-stagetestdb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"balaperu-stagetestdb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://balaperu-stagetestdb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"balaperu-stagetestdb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/bulkimporttest/providers/Microsoft.DocumentDB/databaseAccounts/bulkimporttest\",\r\n \"name\": \"bulkimporttest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-08-09T23:32:21.7712589Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://bulkimporttest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d4c1baad-2076-4941-906a-93b217dcfb18\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"bulkimporttest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://bulkimporttest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"bulkimporttest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://bulkimporttest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"bulkimporttest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://bulkimporttest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"bulkimporttest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CAAccountTest1/providers/Microsoft.DocumentDB/databaseAccounts/caaccounttest1\",\r\n \"name\": \"caaccounttest1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-08-22T00:38:20.9330792Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://caaccounttest1.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://caaccounttest1.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"714a53fb-b068-436a-97b1-2a3bfe8f2885\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"caaccounttest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://caaccounttest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"caaccounttest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://caaccounttest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"caaccounttest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://caaccounttest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"caaccounttest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stageeastus2fd3\",\r\n \"name\": \"canary-stageeastus2fd3\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-03T19:05:39.0078796Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"fcb35d47-a58d-43bd-93c2-c3333a7958a9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stageeastus2fd6\",\r\n \"name\": \"canary-stageeastus2fd6\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-08T21:10:29.7430665Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd6.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"39f54380-c5f4-4b82-9ca8-7c6800efc09f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abpairg/providers/Microsoft.DocumentDB/databaseAccounts/abpaistgcosmongo36\",\r\n \"name\": \"abpaistgcosmongo36\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-12T07:49:25.4610465Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://abpaistgcosmongo36.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://abpaistgcosmongo36.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"f4ed2202-404d-4f6a-aaa3-bdb22dbe48cd\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"abpaistgcosmongo36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://abpaistgcosmongo36-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"abpaistgcosmongo36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://abpaistgcosmongo36-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"abpaistgcosmongo36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://abpaistgcosmongo36-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"abpaistgcosmongo36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abpairg/providers/Microsoft.DocumentDB/databaseAccounts/abpaistgcossql2\",\r\n \"name\": \"abpaistgcossql2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"owner\": \"abpai\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-03-10T11:23:20.9773079Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://abpaistgcossql2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"e2765230-16cf-41a6-be18-41b6d1938c25\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"abpaistgcossql2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://abpaistgcossql2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"abpaistgcossql2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://abpaistgcossql2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"abpaistgcossql2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://abpaistgcossql2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"abpaistgcossql2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup8570/providers/Microsoft.DocumentDB/databaseAccounts/accountname9822\",\r\n \"name\": \"accountname9822\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"key1\": \"value1\",\r\n \"key2\": \"value2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-22T21:15:32.149858Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://accountname9822.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": true,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"0afc5a37-cafa-4470-b2ec-9584503c935b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 1000,\r\n \"maxStalenessPrefix\": 300\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"accountname9822-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname9822-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"accountname9822-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname9822-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"accountname9822-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname9822-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"accountname9822-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/maquaran/providers/Microsoft.DocumentDB/databaseAccounts/capabilities-maquaran\",\r\n \"name\": \"capabilities-maquaran\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"MongoDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-06-07T18:59:31.2064926Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://capabilities-maquaran.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"f3b3b514-459d-43b3-88ad-5ac50578cde4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"capabilities-maquaran-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://capabilities-maquaran-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"capabilities-maquaran-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://capabilities-maquaran-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"capabilities-maquaran-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://capabilities-maquaran-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"capabilities-maquaran-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"mongoEnableDocLevelTTL\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/cassandra-yid5img5ochq6\",\r\n \"name\": \"cassandra-yid5img5ochq6\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-16T01:08:51.3309248Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassandra-yid5img5ochq6.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassandra-yid5img5ochq6.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"56e9c1aa-a0a9-4804-9e1d-0fc9957784ae\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassandra-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cassandra-yid5img5ochq6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassandra-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cassandra-yid5img5ochq6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"cassandra-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandra-yid5img5ochq6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassandra-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://cassandra-yid5img5ochq6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"cassandra-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandra-yid5img5ochq6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassandra-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"cassandra-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/anatest3\",\r\n \"name\": \"anatest3\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-12T23:40:21.5994308Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://anatest3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"87d4c7f5-16c2-44d7-b7bc-fcfd368f3673\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"anatest3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://anatest3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"anatest3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://anatest3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"anatest3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://anatest3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"anatest3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/akshanka-cassandratestrg/providers/Microsoft.DocumentDB/databaseAccounts/cassandrastagesignoffeus2\",\r\n \"name\": \"cassandrastagesignoffeus2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-01T14:46:02.2298247Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassandrastagesignoffeus2.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassandrastagesignoffeus2.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"84a04aaa-7945-4a4c-a823-d75104ae4f84\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassandrastagesignoffeus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandrastagesignoffeus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassandrastagesignoffeus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandrastagesignoffeus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassandrastagesignoffeus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandrastagesignoffeus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassandrastagesignoffeus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cassandra-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/cassandratester1\",\r\n \"name\": \"cassandratester1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-03T22:20:36.130697Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassandratester1.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassandratester1.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"4a954ccd-c419-4e9e-828d-b3522f4dc8d5\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassandratester1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandratester1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassandratester1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandratester1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassandratester1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandratester1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassandratester1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ccxstagevalidationrg/providers/Microsoft.DocumentDB/databaseAccounts/ccx-edge-mm-demo\",\r\n \"name\": \"ccx-edge-mm-demo\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-11T00:06:29.5615363Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ccx-edge-mm-demo.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://ccx-edge-mm-demo.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"53914c0a-50c9-44dc-8796-917713c63883\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"small\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ccx-edge-mm-demo-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ccx-edge-mm-demo-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ccx-edge-mm-demo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ccx-edge-mm-demo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ccx-edge-mm-demo-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ccx-edge-mm-demo-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ccx-edge-mm-demo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ccx-edge-mm-demo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ccx-edge-mm-demo-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ccx-edge-mm-demo-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ccx-edge-mm-demo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ccx-edge-mm-demo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ccx-edge-mm-demo-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"ccx-edge-mm-demo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/anatest5\",\r\n \"name\": \"anatest5\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-13T00:22:49.5268091Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://anatest5.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d55fa6af-aff5-49c5-9261-707c3c9dd2b4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"anatest5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://anatest5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"anatest5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://anatest5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"anatest5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://anatest5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"anatest5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ankis-rg99/providers/Microsoft.DocumentDB/databaseAccounts/ankis-cosmosdb-rg9\",\r\n \"name\": \"ankis-cosmosdb-rg9\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-01-30T11:17:39.0176146Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ankis-cosmosdb-rg9.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"45f68796-6819-42e6-95e4-dbfb6c6827c1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ankis-cosmosdb-rg9-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ankis-cosmosdb-rg9-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ankis-cosmosdb-rg9-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ankis-cosmosdb-rg9-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ankis-cosmosdb-rg9-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ankis-cosmosdb-rg9-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ankis-cosmosdb-rg9-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/ash-df-gremlin\",\r\n \"name\": \"ash-df-gremlin\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-05T22:20:30.609425Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-df-gremlin.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://ash-df-gremlin.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a95a4c6a-4574-427e-9fe0-f88ce43c9381\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-df-gremlin-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-df-gremlin-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-df-gremlin-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-df-gremlin-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-df-gremlin-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-df-gremlin-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-df-gremlin-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/computev2-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/computev2stagesignoff\",\r\n \"name\": \"computev2stagesignoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-16T23:50:56.1159652Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://computev2stagesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"60c8a2ab-372a-47a1-9735-a9c7d76762c4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"computev2stagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://computev2stagesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"computev2stagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://computev2stagesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"computev2stagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://computev2stagesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"computev2stagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/devansh-stage/providers/Microsoft.DocumentDB/databaseAccounts/conso-purg-attempt2\",\r\n \"name\": \"conso-purg-attempt2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-02-13T06:25:26.8192847Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://conso-purg-attempt2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"226085d1-864a-40fc-87f1-161e96a6aedf\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"conso-purg-attempt2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://conso-purg-attempt2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"conso-purg-attempt2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://conso-purg-attempt2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"conso-purg-attempt2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://conso-purg-attempt2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"conso-purg-attempt2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 167,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/ash-df-sql\",\r\n \"name\": \"ash-df-sql\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-05T22:10:53.6504686Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-df-sql.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"7a1192f3-d04b-496f-8504-23bb677e0aee\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Eventual\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-df-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-df-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-df-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-df-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-df-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-df-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-df-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test/providers/Microsoft.DocumentDB/databaseAccounts/cpuinvestigation\",\r\n \"name\": \"cpuinvestigation\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-04-14T19:32:44.4539346Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cpuinvestigation.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"31287da0-d8f6-427b-ab31-d7c7b32c6554\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cpuinvestigation-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cpuinvestigation-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cpuinvestigation-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cpuinvestigation-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"cpuinvestigation-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cpuinvestigation-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cpuinvestigation-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://cpuinvestigation-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"cpuinvestigation-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cpuinvestigation-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cpuinvestigation-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"cpuinvestigation-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sarguptest/providers/Microsoft.DocumentDB/databaseAccounts/cpuinvestigation2\",\r\n \"name\": \"cpuinvestigation2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-14T01:13:01.157676Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cpuinvestigation2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"f41c30f7-ea14-435f-b5e3-a45b96110753\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cpuinvestigation2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cpuinvestigation2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cpuinvestigation2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cpuinvestigation2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cpuinvestigation2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cpuinvestigation2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cpuinvestigation2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/csedev/providers/Microsoft.DocumentDB/databaseAccounts/csestar\",\r\n \"name\": \"csestar\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-08-27T19:52:05.8862647Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://csestar.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://csestar.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"91226e57-6ccd-4d1d-9ada-2e4fe1eca34a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"csestar-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://csestar-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"csestar-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://csestar-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"csestar-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://csestar-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"csestar-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/computev2stagerg/providers/Microsoft.DocumentDB/databaseAccounts/dahorastage\",\r\n \"name\": \"dahorastage\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-01T19:39:23.945106Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://dahorastage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"b71574be-31f4-48da-b8c8-c3cd1cab4dcc\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"dahorastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dahorastage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"dahorastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dahorastage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"dahorastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dahorastage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"dahorastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db1024-restored\",\r\n \"name\": \"db1024-restored\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-14T01:17:35.92886Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://db1024-restored.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c26d3f43-7363-4c54-940a-bde0e96bda72\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"db1024-restored-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db1024-restored-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"db1024-restored-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db1024-restored-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"db1024-restored-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db1024-restored-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"db1024-restored-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/aca7d453-88a9-4bf2-8abc-46d21553638f\",\r\n \"restoreTimestampInUtc\": \"2020-08-14T01:05:13Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934\",\r\n \"name\": \"db9934\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-21T16:06:49.7302308Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://db9934.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"6b94bd1f-70e0-44dc-8bc0-532904a1e36a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"db9934-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db9934-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"db9934-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db9934-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"db9934-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db9934-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"db9934-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/dech-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/dech-stage-notebooks\",\r\n \"name\": \"dech-stage-notebooks\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-04-28T18:13:54.8273652Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://dech-stage-notebooks.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"9d64f239-3b0a-4264-94bb-44de17b39d45\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"dech-stage-notebooks-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dech-stage-notebooks-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"dech-stage-notebooks-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dech-stage-notebooks-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"dech-stage-notebooks-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dech-stage-notebooks-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"dech-stage-notebooks-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/byoktest5\",\r\n \"name\": \"byoktest5\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-01-09T17:39:04.0390882Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://byoktest5.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"2eb7236f-d3d6-4ca4-8fc1-2003862d8206\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"byoktest5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://byoktest5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"byoktest5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://byoktest5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"byoktest5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://byoktest5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"byoktest5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stageeastus2cm1\",\r\n \"name\": \"canary-stageeastus2cm1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-12T22:36:13.7558333Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cm1.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://canary-stageeastus2cm1.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"79c5b5d8-41df-4bba-aec9-43decc1adff2\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2cm1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cm1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2cm1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cm1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stageeastus2cm1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cm1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stageeastus2cm1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stageeastus2fd4\",\r\n \"name\": \"canary-stageeastus2fd4\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-03T19:07:50.4026599Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd4.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"6b9ee587-9b94-4d7a-9acd-f7e42701fc1b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stageeastus2fe1\",\r\n \"name\": \"canary-stageeastus2fe1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-31T06:06:49.1435223Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fe1.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://canary-stageeastus2fe1.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"af1ed8f0-b965-49c7-941c-758f32aef03f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fe1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fe1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fe1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fe1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fe1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fe1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stageeastus2fe1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/dox-staging/providers/Microsoft.DocumentDB/databaseAccounts/dox-stage-table4\",\r\n \"name\": \"dox-stage-table4\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-06-06T23:49:18.9073805Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://dox-stage-table4.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://dox-stage-table4.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"34eed354-a07b-4f22-8687-59627c9eeb14\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"dox-stage-table4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dox-stage-table4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"dox-stage-table4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dox-stage-table4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"dox-stage-table4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dox-stage-table4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"dox-stage-table4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/akgoe-test-rg/providers/Microsoft.DocumentDB/databaseAccounts/dss-framework-dev2\",\r\n \"name\": \"dss-framework-dev2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-02T21:02:11.3339727Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://dss-framework-dev2.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://dss-framework-dev2.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"10715fcd-f0ca-4941-af9d-5dcdeb599977\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"dss-framework-dev2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dss-framework-dev2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"dss-framework-dev2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dss-framework-dev2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"dss-framework-dev2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dss-framework-dev2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"dss-framework-dev2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cv2_stage_eastus2_danguy_rg/providers/Microsoft.DocumentDB/databaseAccounts/en20200515-signoff-core-danguy\",\r\n \"name\": \"en20200515-signoff-core-danguy\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-27T17:17:02.0831479Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://en20200515-signoff-core-danguy.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"8020bef5-046c-48d2-a6c0-21bf6fbacef6\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"en20200515-signoff-core-danguy-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://en20200515-signoff-core-danguy-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"en20200515-signoff-core-danguy-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://en20200515-signoff-core-danguy-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"en20200515-signoff-core-danguy-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://en20200515-signoff-core-danguy-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"en20200515-signoff-core-danguy-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/fedtabletest\",\r\n \"name\": \"fedtabletest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-02-21T00:17:37.9555992Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://fedtabletest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"1a553612-09f8-430a-b940-1f0276b6701b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"fedtabletest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://fedtabletest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"fedtabletest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://fedtabletest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"fedtabletest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://fedtabletest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"fedtabletest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/akshanka-cassandratestrg/providers/Microsoft.DocumentDB/databaseAccounts/cassandrasignoffeastus2\",\r\n \"name\": \"cassandrasignoffeastus2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-01T15:00:49.817052Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassandrasignoffeastus2.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassandrasignoffeastus2.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"3fa6f47f-5d50-4bc8-84a5-2af9ced2d098\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassandrasignoffeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandrasignoffeastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassandrasignoffeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandrasignoffeastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassandrasignoffeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandrasignoffeastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassandrasignoffeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/flnarenjrg/providers/Microsoft.DocumentDB/databaseAccounts/flnarenj-synstage\",\r\n \"name\": \"flnarenj-synstage\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-13T03:12:58.7424629Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://flnarenj-synstage.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://flnarenj-synstage.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"58e1ba71-b7cc-4a41-80fe-27ec11f62a05\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"flnarenj-synstage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://flnarenj-synstage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"flnarenj-synstage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://flnarenj-synstage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"flnarenj-synstage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://flnarenj-synstage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"flnarenj-synstage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/graphstage3\",\r\n \"name\": \"graphstage3\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Graph\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-11-09T15:33:27.8548964Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://graphstage3.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://graphstage3.gremlin.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"cc3fc002-9392-4077-865c-d6a9907be8c7\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"graphstage3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://graphstage3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"graphstage3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://graphstage3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"graphstage3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://graphstage3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"graphstage3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/cassandratest1016\",\r\n \"name\": \"cassandratest1016\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-16T19:01:11.0295362Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassandratest1016.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassandratest1016.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c661d521-101a-4ad2-ae4e-5306157d657b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassandratest1016-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandratest1016-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassandratest1016-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandratest1016-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassandratest1016-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandratest1016-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassandratest1016-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cassandra-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/cassandratester2\",\r\n \"name\": \"cassandratester2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-04T02:29:16.5753054Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassandratester2.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassandratester2.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"4b557ef1-10c4-48a3-95f5-d11b4840fa75\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassandratester2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandratester2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassandratester2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandratester2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassandratester2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassandratester2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassandratester2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ccxstagevalidationrg/providers/Microsoft.DocumentDB/databaseAccounts/ccx-stage-bhba-donotdelete\",\r\n \"name\": \"ccx-stage-bhba-donotdelete\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-17T03:38:39.1048198Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ccx-stage-bhba-donotdelete.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://ccx-stage-bhba-donotdelete.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a20d51f4-b84e-414a-8ee1-f3dcf217fac7\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"small\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ccx-stage-bhba-donotdelete-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ccx-stage-bhba-donotdelete-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ccx-stage-bhba-donotdelete-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ccx-stage-bhba-donotdelete-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ccx-stage-bhba-donotdelete-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ccx-stage-bhba-donotdelete-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ccx-stage-bhba-donotdelete-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-staging-eastus2\",\r\n \"name\": \"gremlin-staging-eastus2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-13T21:23:54.6477533Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-staging-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-staging-eastus2.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"3a38e59e-3f7b-4b00-ade8-770c6caec24b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-staging-eastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gremlin-staging-eastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-staging-eastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gremlin-staging-eastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-staging-eastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gremlin-staging-eastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-staging-eastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-staging-eastus2-v2sdk\",\r\n \"name\": \"gremlin-staging-eastus2-v2sdk\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-13T23:06:50.1914669Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-staging-eastus2-v2sdk.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-staging-eastus2-v2sdk.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"5597fb4e-8b53-42d3-912c-9fb9adadbda4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-staging-eastus2-v2sdk-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gremlin-staging-eastus2-v2sdk-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-staging-eastus2-v2sdk-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gremlin-staging-eastus2-v2sdk-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-staging-eastus2-v2sdk-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gremlin-staging-eastus2-v2sdk-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-staging-eastus2-v2sdk-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-yid5img5ochq6\",\r\n \"name\": \"gremlin-yid5img5ochq6\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-16T01:32:59.8118626Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-yid5img5ochq6.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-yid5img5ochq6.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d551e71a-c1c0-4a73-a5c7-90ac4c2610e9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://gremlin-yid5img5ochq6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://gremlin-yid5img5ochq6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"gremlin-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gremlin-yid5img5ochq6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://gremlin-yid5img5ochq6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"gremlin-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gremlin-yid5img5ochq6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"gremlin-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging-eastus2/providers/Microsoft.DocumentDB/databaseAccounts/gv2-stage-d32-noedgeindex\",\r\n \"name\": \"gv2-stage-d32-noedgeindex\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlinv2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-01T19:57:08.4329052Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gv2-stage-d32-noedgeindex.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gv2-stage-d32-noedgeindex.gremlin.cosmos.windows-ppe.net/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"GremlinV2\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a381073e-e215-4b93-b734-8b1b0c524def\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"clusterInstanceCount\": 1,\r\n \"clusterSize\": \"Cosmos.Gremlin.D32s\"\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gv2-stage-d32-noedgeindex-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gv2-stage-d32-noedgeindex-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gv2-stage-d32-noedgeindex-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gv2-stage-d32-noedgeindex-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gv2-stage-d32-noedgeindex-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gv2-stage-d32-noedgeindex-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gv2-stage-d32-noedgeindex-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlinV2\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/harinic/providers/Microsoft.DocumentDB/databaseAccounts/harinicstagedb\",\r\n \"name\": \"harinicstagedb\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-04T20:24:01.8111446Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://harinicstagedb.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c593b832-da81-4833-b03d-2f75b6cf14e0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"harinicstagedb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://harinicstagedb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"harinicstagedb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://harinicstagedb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"harinicstagedb-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"provisioningState\": \"Creating\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"harinicstagedb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://harinicstagedb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"harinicstagedb-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"provisioningState\": \"Creating\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"harinicstagedb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"harinicstagedb-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/Devansh-Test_env/providers/Microsoft.DocumentDB/databaseAccounts/increse-ese-max-ver-page-count\",\r\n \"name\": \"increse-ese-max-ver-page-count\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-11-08T10:29:28.1609426Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://increse-ese-max-ver-page-count.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"1e273e34-2162-4515-a363-3d910c4d0169\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"increse-ese-max-ver-page-count-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://increse-ese-max-ver-page-count-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"increse-ese-max-ver-page-count-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://increse-ese-max-ver-page-count-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"increse-ese-max-ver-page-count-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://increse-ese-max-ver-page-count-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"increse-ese-max-ver-page-count-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/ash-df-table\",\r\n \"name\": \"ash-df-table\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-05T22:36:27.1797033Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-df-table.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://ash-df-table.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"92003eb4-bc95-4ce2-b8a1-80a8b916f405\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-df-table-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-df-table-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-df-table-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-df-table-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-df-table-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-df-table-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-df-table-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/java-sync-multimaster-signoff\",\r\n \"name\": \"java-sync-multimaster-signoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-17T00:26:16.9609946Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://java-sync-multimaster-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"af03bc74-0534-4805-a5f4-5391ea69a391\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 100000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"java-sync-multimaster-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://java-sync-multimaster-signoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"java-sync-multimaster-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-sync-multimaster-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"java-sync-multimaster-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://java-sync-multimaster-signoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"java-sync-multimaster-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-sync-multimaster-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"java-sync-multimaster-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://java-sync-multimaster-signoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"java-sync-multimaster-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-sync-multimaster-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"java-sync-multimaster-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"java-sync-multimaster-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/maquaran/providers/Microsoft.DocumentDB/databaseAccounts/maquaran-merge\",\r\n \"name\": \"maquaran-merge\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-10T21:34:20.7770108Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://maquaran-merge.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"0a2530f2-a5e2-4533-b7c2-e97e801faeb5\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"maquaran-merge-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://maquaran-merge-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"maquaran-merge-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://maquaran-merge-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"maquaran-merge-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://maquaran-merge-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"maquaran-merge-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db-rbac\",\r\n \"name\": \"db-rbac\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-16T20:54:59.6843527Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://db-rbac.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"e15cd0e5-429d-462d-9247-3a2cf6ce72cf\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"db-rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db-rbac-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"db-rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db-rbac-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"db-rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db-rbac-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"db-rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048\",\r\n \"name\": \"db2048\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-21T18:53:17.251839Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://db2048.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://db2048.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"5410e941-71b1-4b61-a3c9-df73dda43401\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"db2048-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db2048-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"db2048-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db2048-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"db2048-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db2048-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"db2048-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/dech-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/dech-nb-stage\",\r\n \"name\": \"dech-nb-stage\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-08T22:32:46.8939349Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://dech-nb-stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"82223c58-f425-43fa-8191-68b6ef12b2d7\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"dech-nb-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dech-nb-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"dech-nb-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dech-nb-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"dech-nb-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://dech-nb-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"dech-nb-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/devansh-stage/providers/Microsoft.DocumentDB/databaseAccounts/metric-conso-w-purg\",\r\n \"name\": \"metric-conso-w-purg\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-02-12T05:58:09.9295808Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://metric-conso-w-purg.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a8fe0b2f-3dec-4f79-87d5-930b11dc2c2d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"metric-conso-w-purg-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://metric-conso-w-purg-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"metric-conso-w-purg-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://metric-conso-w-purg-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"metric-conso-w-purg-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://metric-conso-w-purg-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"metric-conso-w-purg-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/devansh-testing-defrag/providers/Microsoft.DocumentDB/databaseAccounts/defrag-for-250\",\r\n \"name\": \"defrag-for-250\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-09T09:26:08.9443222Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://defrag-for-250.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"4158ec95-5bc8-4c4b-a226-fc4c3db3e89e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"defrag-for-250-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://defrag-for-250-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"defrag-for-250-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://defrag-for-250-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"defrag-for-250-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://defrag-for-250-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"defrag-for-250-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/mongodb-yid5img5ochq6\",\r\n \"name\": \"mongodb-yid5img5ochq6\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-16T01:34:21.2194126Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongodb-yid5img5ochq6.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"075600e9-1874-405b-b51b-59f3c9da6b0c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongodb-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongodb-yid5img5ochq6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongodb-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongodb-yid5img5ochq6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongodb-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mongodb-yid5img5ochq6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongodb-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongodb-yid5img5ochq6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongodb-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mongodb-yid5img5ochq6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongodb-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"mongodb-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sivethe/providers/Microsoft.DocumentDB/databaseAccounts/mongoselfserveupgradeto36-stage\",\r\n \"name\": \"mongoselfserveupgradeto36-stage\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-03-10T22:19:13.3414472Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongoselfserveupgradeto36-stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"65fb036a-9e3d-46cb-8816-6455befb23e7\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongoselfserveupgradeto36-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongoselfserveupgradeto36-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongoselfserveupgradeto36-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongoselfserveupgradeto36-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongoselfserveupgradeto36-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongoselfserveupgradeto36-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongoselfserveupgradeto36-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"AllowSelfServeUpgradeToMongo36\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/monohyridrow\",\r\n \"name\": \"monohyridrow\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-02T17:11:36.8710823Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://monohyridrow.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"814ee1e4-3ef3-4ed3-8102-d73b49505b4b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"monohyridrow-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://monohyridrow-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"monohyridrow-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://monohyridrow-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"monohyridrow-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://monohyridrow-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"monohyridrow-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://monohyridrow-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"monohyridrow-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://monohyridrow-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"monohyridrow-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"monohyridrow-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/bwtreetest/providers/Microsoft.DocumentDB/databaseAccounts/nanedevtest\",\r\n \"name\": \"nanedevtest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-04T20:25:55.6165964Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nanedevtest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"63d7c4e8-3564-409d-ab62-1e811ab34fc0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nanedevtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nanedevtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nanedevtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nanedevtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nanedevtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nanedevtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nanedevtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nitesh-resource/providers/Microsoft.DocumentDB/databaseAccounts/nitesh-cri-162282720\",\r\n \"name\": \"nitesh-cri-162282720\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-16T06:25:26.7813786Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nitesh-cri-162282720.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": true,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"2747300a-0184-482f-bfda-900959d63fe7\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nitesh-cri-162282720-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nitesh-cri-162282720-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nitesh-cri-162282720-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nitesh-cri-162282720-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nitesh-cri-162282720-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nitesh-cri-162282720-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nitesh-cri-162282720-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/niupremongo-binary\",\r\n \"name\": \"niupremongo-binary\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-17T18:33:19.4974422Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://niupremongo-binary.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://niupremongo-binary.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"09fd3b3a-0243-4869-a86e-0c4f1c5b0611\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"niupremongo-binary-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://niupremongo-binary-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"niupremongo-binary-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://niupremongo-binary-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"niupremongo-binary-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://niupremongo-binary-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"niupremongo-binary-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/masi_rg/providers/Microsoft.DocumentDB/databaseAccounts/en20200424-computev2\",\r\n \"name\": \"en20200424-computev2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-06T19:53:49.7829084Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://en20200424-computev2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c6e61dcb-0c67-458b-9dca-3c56fb282bc8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"en20200424-computev2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://en20200424-computev2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"en20200424-computev2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://en20200424-computev2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"en20200424-computev2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://en20200424-computev2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"en20200424-computev2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/prithvi-stage/providers/Microsoft.DocumentDB/databaseAccounts/oplogtest2\",\r\n \"name\": \"oplogtest2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-11T12:13:54.5405445Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://oplogtest2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"17ec5038-bea0-46a7-bfa1-9ce85ecc1eda\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"oplogtest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://oplogtest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"oplogtest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://oplogtest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"oplogtest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://oplogtest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"oplogtest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/query-benchmark/providers/Microsoft.DocumentDB/databaseAccounts/querybenchmarkstore\",\r\n \"name\": \"querybenchmarkstore\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-15T21:53:13.504654Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://querybenchmarkstore.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a1abda38-5277-4e31-9c05-e5e9b9a2ffeb\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"querybenchmarkstore-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://querybenchmarkstore-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"querybenchmarkstore-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://querybenchmarkstore-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"querybenchmarkstore-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://querybenchmarkstore-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"querybenchmarkstore-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/rakkumastg/providers/Microsoft.DocumentDB/databaseAccounts/rakkumastage\",\r\n \"name\": \"rakkumastage\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-23T11:42:26.7049574Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://rakkumastage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"b3c671fd-5cc6-4ddb-b464-f011c324f7d9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"rakkumastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://rakkumastage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"rakkumastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://rakkumastage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"rakkumastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://rakkumastage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"rakkumastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/flnarenjrg/providers/Microsoft.DocumentDB/databaseAccounts/flnarenj-synstage2\",\r\n \"name\": \"flnarenj-synstage2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-13T23:53:46.2142904Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://flnarenj-synstage2.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://flnarenj-synstage2.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"be717800-dd03-4bc8-9863-866999be2867\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"flnarenj-synstage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://flnarenj-synstage2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"flnarenj-synstage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://flnarenj-synstage2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"flnarenj-synstage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://flnarenj-synstage2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"flnarenj-synstage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ramarag/providers/Microsoft.DocumentDB/databaseAccounts/ramarag\",\r\n \"name\": \"ramarag\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-25T20:56:59.7175445Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ramarag.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"8fe02f31-1c62-475c-8c6c-86f5fdaadad1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ramarag-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ramarag-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ramarag-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ramarag-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ramarag-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ramarag-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ramarag-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac\",\r\n \"name\": \"rbac\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-18T21:54:51.8533697Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://rbac.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"4254c568-97a0-4f08-8b54-7fc8bd794635\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://rbac-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://rbac-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://rbac-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vivekrasignoff/providers/Microsoft.DocumentDB/databaseAccounts/cassstagesignoffeastus2\",\r\n \"name\": \"cassstagesignoffeastus2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-25T00:33:37.2822822Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassstagesignoffeastus2.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassstagesignoffeastus2.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"1a4301e3-4c45-40df-bf7c-504a1cc018fe\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassstagesignoffeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassstagesignoffeastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassstagesignoffeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassstagesignoffeastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassstagesignoffeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cassstagesignoffeastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassstagesignoffeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/akgoe-test-rg/providers/Microsoft.DocumentDB/databaseAccounts/cdb-stage-eastus2-test\",\r\n \"name\": \"cdb-stage-eastus2-test\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-29T05:48:36.1149551Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cdb-stage-eastus2-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c70a0251-7071-4144-aafe-8dc60d23d2ce\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cdb-stage-eastus2-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cdb-stage-eastus2-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cdb-stage-eastus2-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cdb-stage-eastus2-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cdb-stage-eastus2-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cdb-stage-eastus2-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cdb-stage-eastus2-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/sargupanatest1\",\r\n \"name\": \"sargupanatest1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-27T20:30:51.5034916Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sargupanatest1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"fb3a353e-2dcd-4d72-926c-26f373c07689\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sargupanatest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sargupanatest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sargupanatest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sargupanatest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sargupanatest1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sargupanatest1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sargupanatest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sargupanatest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sargupanatest1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://sargupanatest1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sargupanatest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"sargupanatest1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-rg-stg-eastus/providers/Microsoft.DocumentDB/databaseAccounts/gremlineastus2test\",\r\n \"name\": \"gremlineastus2test\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Graph\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-11-08T21:44:49.1853709Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlineastus2test.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlineastus2test.gremlin.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"90004d5d-336e-4fb5-85ad-08c4a6ac2c40\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlineastus2test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gremlineastus2test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlineastus2test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gremlineastus2test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlineastus2test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gremlineastus2test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlineastus2test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin-staging-eastus2/providers/Microsoft.DocumentDB/databaseAccounts/gv2-stage-d32-noindex2\",\r\n \"name\": \"gv2-stage-d32-noindex2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlinv2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-02T19:28:29.4449956Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gv2-stage-d32-noindex2.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gv2-stage-d32-noindex2.gremlin.cosmos.windows-ppe.net/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"GremlinV2\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"96876fe7-3e3f-483e-9cf2-ac00e1c9e9be\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"clusterInstanceCount\": 1,\r\n \"clusterSize\": \"Cosmos.Gremlin.D32s\"\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gv2-stage-d32-noindex2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gv2-stage-d32-noindex2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gv2-stage-d32-noindex2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gv2-stage-d32-noindex2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gv2-stage-d32-noindex2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gv2-stage-d32-noindex2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gv2-stage-d32-noindex2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlinV2\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/harinic/providers/Microsoft.DocumentDB/databaseAccounts/harinictest2\",\r\n \"name\": \"harinictest2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-24T02:27:10.441255Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://harinictest2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"63bd6d18-ccda-4907-b7df-39d390fc4c73\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"harinictest2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://harinictest2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"harinictest2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://harinictest2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"harinictest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://harinictest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"harinictest2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://harinictest2-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"harinictest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://harinictest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"harinictest2-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"harinictest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/java-async-gated\",\r\n \"name\": \"java-async-gated\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-02-21T19:25:30.0509953Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://java-async-gated.documents-staging.windows-ppe.net:443/\",\r\n \"sqlEndpoint\": \"https://java-async-gated.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d642aa15-7146-4d20-8ecc-699edf322846\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Strong\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"java-async-gated-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-async-gated-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"java-async-gated-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-async-gated-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"java-async-gated-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-async-gated-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"java-async-gated-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSql\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/ash-gremlin-nb1\",\r\n \"name\": \"ash-gremlin-nb1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-25T23:49:12.8054895Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-gremlin-nb1.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://ash-gremlin-nb1.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"e375c079-c747-48d5-a5cf-c31feadf3d01\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-gremlin-nb1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-gremlin-nb1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-gremlin-nb1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-gremlin-nb1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-gremlin-nb1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ash-gremlin-nb1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-gremlin-nb1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n },\r\n {\r\n \"name\": \"EnableNotebooks\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/temp/providers/Microsoft.DocumentDB/databaseAccounts/jawilleytest\",\r\n \"name\": \"jawilleytest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-12-11T15:50:14.0771722Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://jawilleytest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"695e5b7a-3079-483d-a777-0b8f80909433\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"jawilleytest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jawilleytest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"jawilleytest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jawilleytest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"jawilleytest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jawilleytest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"jawilleytest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/mekaushiautoscale\",\r\n \"name\": \"mekaushiautoscale\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-16T00:51:28.2318169Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mekaushiautoscale.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"5211b278-90c9-4a02-ade7-3683f29f9455\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mekaushiautoscale-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mekaushiautoscale-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mekaushiautoscale-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mekaushiautoscale-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mekaushiautoscale-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mekaushiautoscale-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mekaushiautoscale-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://mekaushiautoscale-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mekaushiautoscale-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mekaushiautoscale-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mekaushiautoscale-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"mekaushiautoscale-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001\",\r\n \"name\": \"db001\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-21T15:57:56.429452Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://db001.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"7b4a9c2b-142f-4d1a-af8d-431a47ca2fc6\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"db001-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db001-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"db001-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db001-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"db001-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db001-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"db001-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096\",\r\n \"name\": \"db4096\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-21T19:00:24.1274508Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://db4096.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://db4096.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"1b62c2ca-a7e0-482b-82df-7e0b3293153e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"db4096-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db4096-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"db4096-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db4096-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"db4096-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db4096-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"db4096-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/sdk-signoff-1\",\r\n \"name\": \"sdk-signoff-1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\",\r\n \"CreatedBy\": \"stfaul\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-06-26T21:34:35.0520648Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sdk-signoff-1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"56deb7e7-a99e-46ba-834c-32ecc3275dc6\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Strong\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sdk-signoff-1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sdk-signoff-1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sdk-signoff-1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sdk-signoff-1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sdk-signoff-1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sdk-signoff-1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sdk-signoff-1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/Devansh-Test_env/providers/Microsoft.DocumentDB/databaseAccounts/metric-consolidation\",\r\n \"name\": \"metric-consolidation\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-02-05T06:58:16.6826835Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://metric-consolidation.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"58f74bd5-ca84-4196-869e-40f00ad81595\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"metric-consolidation-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://metric-consolidation-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"metric-consolidation-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://metric-consolidation-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"metric-consolidation-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://metric-consolidation-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"metric-consolidation-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shmotlan/providers/Microsoft.DocumentDB/databaseAccounts/shan-0726-graph\",\r\n \"name\": \"shan-0726-graph\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-26T20:37:17.2181605Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shan-0726-graph.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://shan-0726-graph.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c77c524f-a0bb-4f82-a32b-5ad8a91107c3\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shan-0726-graph-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-graph-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shan-0726-graph-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-graph-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shan-0726-graph-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-graph-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shan-0726-graph-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sargup/providers/Microsoft.DocumentDB/databaseAccounts/deploytestsargup\",\r\n \"name\": \"deploytestsargup\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-24T22:01:36.0865157Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://deploytestsargup.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"92fdc07a-f203-4fe1-8373-166353694912\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"deploytestsargup-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://deploytestsargup-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"deploytestsargup-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://deploytestsargup-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"deploytestsargup-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://deploytestsargup-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"deploytestsargup-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://deploytestsargup-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"deploytestsargup-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://deploytestsargup-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"deploytestsargup-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"deploytestsargup-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi-test-mongo/providers/Microsoft.DocumentDB/databaseAccounts/mongoeastus2\",\r\n \"name\": \"mongoeastus2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-24T22:52:45.5027124Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongoeastus2.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongoeastus2.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c5e610a5-1d06-4f9a-bfe6-9a1095f7aeb3\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongoeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongoeastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongoeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongoeastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongoeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongoeastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongoeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shmotlan/providers/Microsoft.DocumentDB/databaseAccounts/shan-cassandra-0823-signoff-2\",\r\n \"name\": \"shan-cassandra-0823-signoff-2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-08-24T00:07:24.1645804Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shan-cassandra-0823-signoff-2.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://shan-cassandra-0823-signoff-2.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"04f19782-bbab-4fe0-9304-2f125c332c3a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shan-cassandra-0823-signoff-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-cassandra-0823-signoff-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shan-cassandra-0823-signoff-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-cassandra-0823-signoff-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shan-cassandra-0823-signoff-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-cassandra-0823-signoff-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shan-cassandra-0823-signoff-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/metaswitch/providers/Microsoft.DocumentDB/databaseAccounts/mswtest\",\r\n \"name\": \"mswtest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-08-28T06:22:12.3626835Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mswtest.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://mswtest.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"8400d15a-2048-41f9-a62f-21c86736fe56\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mswtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mswtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mswtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mswtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mswtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mswtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mswtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nitesh-resource/providers/Microsoft.DocumentDB/databaseAccounts/nidudhey-cass\",\r\n \"name\": \"nidudhey-cass\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-02-28T09:18:09.0429064Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nidudhey-cass.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://nidudhey-cass.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"407e7670-a19e-479c-b7a2-b3fb9d4f87b8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nidudhey-cass-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nidudhey-cass-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nidudhey-cass-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nidudhey-cass-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nidudhey-cass-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nidudhey-cass-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nidudhey-cass-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nidudhey-cass-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nidudhey-cass-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nidudhey-cass-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nidudhey-cass-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"nidudhey-cass-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nitesh-resource/providers/Microsoft.DocumentDB/databaseAccounts/nitesh-replicationrg\",\r\n \"name\": \"nitesh-replicationrg\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-24T12:58:24.9583816Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nitesh-replicationrg.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"e432e360-efa5-46d7-9314-15d04579bc25\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nitesh-replicationrg-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nitesh-replicationrg-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nitesh-replicationrg-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nitesh-replicationrg-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nitesh-replicationrg-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nitesh-replicationrg-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nitesh-replicationrg-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/niupremongo0504\",\r\n \"name\": \"niupremongo0504\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-04T07:55:24.2997416Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://niupremongo0504.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://niupremongo0504.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"8f876d2b-b02c-4371-ba07-5495bdc452a0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"niupremongo0504-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://niupremongo0504-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"niupremongo0504-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://niupremongo0504-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"niupremongo0504-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://niupremongo0504-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"niupremongo0504-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shmotlan/providers/Microsoft.DocumentDB/databaseAccounts/shan-sql-0823-signoff\",\r\n \"name\": \"shan-sql-0823-signoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-08-24T00:03:35.4578481Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shan-sql-0823-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"1539a26c-a7aa-4501-a7bd-7664ac00d735\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shan-sql-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-sql-0823-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shan-sql-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-sql-0823-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shan-sql-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-sql-0823-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shan-sql-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/QueryOracle/providers/Microsoft.DocumentDB/databaseAccounts/query-push-filters-to-index\",\r\n \"name\": \"query-push-filters-to-index\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-10-29T22:05:34.908529Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://query-push-filters-to-index.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"2dc87f81-3525-47f0-9351-43f2a2d8bf39\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"query-push-filters-to-index-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://query-push-filters-to-index-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"query-push-filters-to-index-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://query-push-filters-to-index-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"query-push-filters-to-index-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://query-push-filters-to-index-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"query-push-filters-to-index-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/masistagesignoff0915/providers/Microsoft.DocumentDB/databaseAccounts/queueburstingtest1\",\r\n \"name\": \"queueburstingtest1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-29T00:48:32.1465276Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://queueburstingtest1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"b201536f-9a28-4003-932e-ebe49c8671b7\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"queueburstingtest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://queueburstingtest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"queueburstingtest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://queueburstingtest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"queueburstingtest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://queueburstingtest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"queueburstingtest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/rakkumastg/providers/Microsoft.DocumentDB/databaseAccounts/rakkumastgsql\",\r\n \"name\": \"rakkumastgsql\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-13T13:44:56.8683454Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://rakkumastgsql.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"9afe19a9-96cf-4277-8342-db3213d65aeb\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"rakkumastgsql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://rakkumastgsql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"rakkumastgsql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://rakkumastgsql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"rakkumastgsql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://rakkumastgsql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"rakkumastgsql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/flnarenjrg/providers/Microsoft.DocumentDB/databaseAccounts/flnarenj-synstage4\",\r\n \"name\": \"flnarenj-synstage4\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-19T09:08:27.9319811Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://flnarenj-synstage4.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"341961c3-7571-4843-9dcb-abe818c65505\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"flnarenj-synstage4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://flnarenj-synstage4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"flnarenj-synstage4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://flnarenj-synstage4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"flnarenj-synstage4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://flnarenj-synstage4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"flnarenj-synstage4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/bhavyasplittest-rg/providers/Microsoft.DocumentDB/databaseAccounts/ramaragsplit\",\r\n \"name\": \"ramaragsplit\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-12-17T23:44:29.6548378Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ramaragsplit.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"08518d5a-4444-4f29-bb91-d03b7a799180\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ramaragsplit-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ramaragsplit-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ramaragsplit-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ramaragsplit-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ramaragsplit-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ramaragsplit-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ramaragsplit-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [\r\n {\r\n \"allowedOrigins\": \"*\"\r\n }\r\n ],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/restoredaccountname9746\",\r\n \"name\": \"restoredaccountname9746\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-21T18:55:13.1687844Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://restoredaccountname9746.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d8974ca8-8f69-4924-9040-c10b7f30524b\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"restoredaccountname9746-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname9746-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"restoredaccountname9746-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname9746-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"restoredaccountname9746-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname9746-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"restoredaccountname9746-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/aca7d453-88a9-4bf2-8abc-46d21553638f\",\r\n \"restoreTimestampInUtc\": \"2020-07-21T18:22:33Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/roaror-test/providers/Microsoft.DocumentDB/databaseAccounts/roaror2\",\r\n \"name\": \"roaror2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-28T16:51:16.3920398Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://roaror2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"4e9f9731-357b-4493-9e94-c35f6c6f854a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"roaror2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://roaror2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"roaror2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://roaror2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"roaror2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://roaror2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"roaror2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shqintest/providers/Microsoft.DocumentDB/databaseAccounts/shqintestcassandrastage\",\r\n \"name\": \"shqintestcassandrastage\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-08T22:42:48.819926Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shqintestcassandrastage.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://shqintestcassandrastage.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"b61809f6-8dab-4049-afc0-b1736cdad905\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shqintestcassandrastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shqintestcassandrastage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shqintestcassandrastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shqintestcassandrastage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shqintestcassandrastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shqintestcassandrastage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shqintestcassandrastage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/sargupparalleltest\",\r\n \"name\": \"sargupparalleltest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-24T22:49:13.4965052Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sargupparalleltest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"0bf3a922-f991-4ff4-8cb3-529982d1cf43\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sargupparalleltest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sargupparalleltest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sargupparalleltest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sargupparalleltest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sargupparalleltest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sargupparalleltest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sargupparalleltest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/akash-cassandra-northcentralus-resource/providers/Microsoft.DocumentDB/databaseAccounts/harsudantest3\",\r\n \"name\": \"harsudantest3\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-21T01:44:21.9612909Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://harsudantest3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d0d5a759-3287-4c8a-92b2-3712e218013c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"harsudantest3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://harsudantest3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"harsudantest3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://harsudantest3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"harsudantest3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://harsudantest3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"harsudantest3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://harsudantest3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"harsudantest3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://harsudantest3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"harsudantest3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"harsudantest3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shtan-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/shtantestbackuphold\",\r\n \"name\": \"shtantestbackuphold\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-21T10:42:15.454682Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shtantestbackuphold.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"de8ef355-27ec-498d-bc5d-c90fccfae995\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shtantestbackuphold-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shtantestbackuphold-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shtantestbackuphold-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shtantestbackuphold-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shtantestbackuphold-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shtantestbackuphold-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shtantestbackuphold-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 120,\r\n \"backupRetentionIntervalInHours\": 9,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ragil/providers/Microsoft.DocumentDB/databaseAccounts/sql-pxf3ijdttumy4\",\r\n \"name\": \"sql-pxf3ijdttumy4\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-04-14T00:30:31.5476426Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sql-pxf3ijdttumy4.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"24ab0882-6575-45b8-b6b0-7e9764d668fd\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sql-pxf3ijdttumy4-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sql-pxf3ijdttumy4-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sql-pxf3ijdttumy4-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sql-pxf3ijdttumy4-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sql-pxf3ijdttumy4-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sql-pxf3ijdttumy4-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sql-pxf3ijdttumy4-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/java-async-multimaster-signoff\",\r\n \"name\": \"java-async-multimaster-signoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-12-19T22:17:23.3548774Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"2093368d-1a1c-45b3-a5c0-11f7e7306bb0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"java-async-multimaster-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"java-async-multimaster-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"java-async-multimaster-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"java-async-multimaster-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"java-async-multimaster-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"java-async-multimaster-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"java-async-multimaster-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"java-async-multimaster-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 2\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/mekaushimongomigrate\",\r\n \"name\": \"mekaushimongomigrate\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-12T21:48:52.5867438Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mekaushimongomigrate.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mekaushimongomigrate.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"0e47abda-b44a-4251-a29c-46114b96285a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mekaushimongomigrate-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mekaushimongomigrate-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mekaushimongomigrate-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mekaushimongomigrate-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mekaushimongomigrate-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mekaushimongomigrate-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mekaushimongomigrate-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192\",\r\n \"name\": \"db8192\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-21T19:17:46.4039586Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://db8192.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://db8192.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"cc0bf75f-77f4-4742-a2ed-2673367c60cb\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"db8192-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db8192-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"db8192-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db8192-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"db8192-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db8192-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"db8192-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db1024\",\r\n \"name\": \"db1024\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-21T18:19:36.6085112Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://db1024.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"aca7d453-88a9-4bf2-8abc-46d21553638f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"db1024-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db1024-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"db1024-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db1024-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"db1024-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://db1024-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"db1024-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/devansh-stage/providers/Microsoft.DocumentDB/databaseAccounts/metric-non-conso-w-purge\",\r\n \"name\": \"metric-non-conso-w-purge\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-02-12T08:06:10.5282339Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://metric-non-conso-w-purge.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"f6755f78-6ebf-4a20-8422-881d26f333a8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"metric-non-conso-w-purge-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://metric-non-conso-w-purge-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"metric-non-conso-w-purge-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://metric-non-conso-w-purge-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"metric-non-conso-w-purge-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://metric-non-conso-w-purge-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"metric-non-conso-w-purge-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/sdk-signoff-2\",\r\n \"name\": \"sdk-signoff-2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-06-26T21:37:15.6859442Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sdk-signoff-2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"0daad281-b626-42d0-b0b0-8f389f3a2dd2\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Strong\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sdk-signoff-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sdk-signoff-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sdk-signoff-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sdk-signoff-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sdk-signoff-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sdk-signoff-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sdk-signoff-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sargup/providers/Microsoft.DocumentDB/databaseAccounts/deploytestsargup-restored1108\",\r\n \"name\": \"deploytestsargup-restored1108\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"restoredSourceDatabaseAccountName\": \"deploytestsargup\",\r\n \"restoredAtTimestamp\": \"11/8/2019 10:52:44 PM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-11-08T23:03:20.0550847Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://deploytestsargup-restored1108.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"98a90cd7-a5b2-4d70-9595-73963cb9a468\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"deploytestsargup-restored1108-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://deploytestsargup-restored1108-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"deploytestsargup-restored1108-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://deploytestsargup-restored1108-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"deploytestsargup-restored1108-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://deploytestsargup-restored1108-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"deploytestsargup-restored1108-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shmotlan/providers/Microsoft.DocumentDB/databaseAccounts/shan-0726-mongo\",\r\n \"name\": \"shan-0726-mongo\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-26T20:34:21.1059192Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shan-0726-mongo.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"b03d1acb-fd02-4e24-a6d1-a6c5c0a312b9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shan-0726-mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-mongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shan-0726-mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-mongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shan-0726-mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-mongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shan-0726-mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shan/providers/Microsoft.DocumentDB/databaseAccounts/shan-cassandra-staging\",\r\n \"name\": \"shan-cassandra-staging\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-11T19:57:46.884473Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shan-cassandra-staging.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://shan-cassandra-staging.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"7f26ea69-e512-4c45-834f-a2c719b06b9d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shan-cassandra-staging-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-cassandra-staging-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shan-cassandra-staging-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-cassandra-staging-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shan-cassandra-staging-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-cassandra-staging-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shan-cassandra-staging-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [\r\n {\r\n \"allowedOrigins\": \"*\"\r\n }\r\n ],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/computev2stagerg/providers/Microsoft.DocumentDB/databaseAccounts/stagecomputev2db\",\r\n \"name\": \"stagecomputev2db\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-03-02T20:45:44.4896421Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stagecomputev2db.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"ab476b3b-8c9a-40ab-95cd-2f91f2566a82\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stagecomputev2db-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stagecomputev2db-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stagecomputev2db-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stagecomputev2db-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stagecomputev2db-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stagecomputev2db-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stagecomputev2db-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nichatur/providers/Microsoft.DocumentDB/databaseAccounts/nihctaur-rbac\",\r\n \"name\": \"nihctaur-rbac\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"Owner\": \"nichatur\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-02T00:21:32.8962997Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nihctaur-rbac.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d26c1a58-4dc4-4be2-9480-1539d4881c32\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nihctaur-rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nihctaur-rbac-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nihctaur-rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nihctaur-rbac-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nihctaur-rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nihctaur-rbac-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nihctaur-rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/niupremongo\",\r\n \"name\": \"niupremongo\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-01T22:34:09.7809699Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://niupremongo.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://niupremongo.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"57954b69-7623-4abf-bd0e-c68093d01158\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"niupremongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://niupremongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"niupremongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://niupremongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"niupremongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://niupremongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"niupremongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ramarag/providers/Microsoft.DocumentDB/databaseAccounts/stagenotebook\",\r\n \"name\": \"stagenotebook\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-06T23:58:05.0813897Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stagenotebook.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"0f49adfc-7109-41e2-b141-28759b2bfe0f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stagenotebook-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stagenotebook-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stagenotebook-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stagenotebook-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stagenotebook-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stagenotebook-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stagenotebook-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shan/providers/Microsoft.DocumentDB/databaseAccounts/shan-stage-sql\",\r\n \"name\": \"shan-stage-sql\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-04-28T22:46:53.8467651Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shan-stage-sql.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"14605a70-8cc5-465f-b5d1-f31dce6dc7d3\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shan-stage-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-stage-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shan-stage-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-stage-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shan-stage-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-stage-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shan-stage-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sukans/providers/Microsoft.DocumentDB/databaseAccounts/sukans-noownerid2\",\r\n \"name\": \"sukans-noownerid2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-04-13T03:35:33.6371883Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sukans-noownerid2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"b159c550-afa1-4280-951f-1786695c9531\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sukans-noownerid2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sukans-noownerid2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sukans-noownerid2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sukans-noownerid2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sukans-noownerid2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sukans-noownerid2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sukans-noownerid2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/akgoe-test-rg/providers/Microsoft.DocumentDB/databaseAccounts/svless-akgoe-loadtest\",\r\n \"name\": \"svless-akgoe-loadtest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-11T00:20:04.6458198Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://svless-akgoe-loadtest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"bdd6badb-8888-48ef-9a5f-85a1c3f468b1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"svless-akgoe-loadtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://svless-akgoe-loadtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"svless-akgoe-loadtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://svless-akgoe-loadtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"svless-akgoe-loadtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://svless-akgoe-loadtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"svless-akgoe-loadtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableServerless\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/flnarenjrg/providers/Microsoft.DocumentDB/databaseAccounts/flnarenj-synstg\",\r\n \"name\": \"flnarenj-synstg\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-13T03:10:52.9843818Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://flnarenj-synstg.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"166aa099-e587-44d5-acdf-1fd5cce4bd6f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"flnarenj-synstg-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://flnarenj-synstg-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"flnarenj-synstg-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://flnarenj-synstg-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"flnarenj-synstg-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://flnarenj-synstg-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"flnarenj-synstg-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ramarag/providers/Microsoft.DocumentDB/databaseAccounts/ramaragtest\",\r\n \"name\": \"ramaragtest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-07T01:44:15.0714222Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ramaragtest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"81c1c70c-0f23-4c74-aa9a-32c5fbbf7949\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ramaragtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ramaragtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ramaragtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ramaragtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ramaragtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ramaragtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ramaragtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sahurd/providers/Microsoft.DocumentDB/databaseAccounts/sahurd-add\",\r\n \"name\": \"sahurd-add\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-20T23:50:06.809231Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sahurd-add.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"bc07ccb2-e90c-46a7-9e6b-ce5461455a4c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sahurd-add-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sahurd-add-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sahurd-add-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sahurd-add-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sahurd-add-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sahurd-add-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sahurd-add-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sahurd-add-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sahurd-add-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sahurd-add-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sahurd-add-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"sahurd-add-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shreystagetest/providers/Microsoft.DocumentDB/databaseAccounts/shreyeast\",\r\n \"name\": \"shreyeast\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-26T19:01:55.5386899Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shreyeast.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"b80fbcbf-b8a8-44f5-84c4-408669f2c8f3\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shreyeast-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreyeast-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shreyeast-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreyeast-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shreyeast-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreyeast-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shreyeast-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/sarguptestdup\",\r\n \"name\": \"sarguptestdup\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-24T18:14:24.8352176Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sarguptestdup.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"7c2df87b-f0dd-464f-b0d6-00e1a1626bc6\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sarguptestdup-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sarguptestdup-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sarguptestdup-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sarguptestdup-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sarguptestdup-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://sarguptestdup-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sarguptestdup-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sarguptestdup-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"sarguptestdup-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://sarguptestdup-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sarguptestdup-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"sarguptestdup-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 5,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shtan-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/shtantestbackuphold-r1\",\r\n \"name\": \"shtantestbackuphold-r1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\",\r\n \"restoredSourceDatabaseAccountName\": \"shtantestbackuphold\",\r\n \"restoredAtTimestamp\": \"8/21/2020 4:22:32 PM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-21T16:28:47.888126Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shtantestbackuphold-r1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"3f41e8de-31f3-4048-b6b7-ef06c0cc9c71\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shtantestbackuphold-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shtantestbackuphold-r1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shtantestbackuphold-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shtantestbackuphold-r1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shtantestbackuphold-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shtantestbackuphold-r1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shtantestbackuphold-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations//restorableDatabaseAccounts/\",\r\n \"restoreTimestampInUtc\": \"2020-08-21T16:22:25Z\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/java-async-multimaster-signoff-2\",\r\n \"name\": \"java-async-multimaster-signoff-2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-27T00:37:01.9141202Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"0e85eb36-3428-4e0f-a381-b236d310408b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"java-async-multimaster-signoff-2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"java-async-multimaster-signoff-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"java-async-multimaster-signoff-2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"java-async-multimaster-signoff-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"java-async-multimaster-signoff-2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"java-async-multimaster-signoff-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-async-multimaster-signoff-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"java-async-multimaster-signoff-2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"java-async-multimaster-signoff-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/srnara-signoff/providers/Microsoft.DocumentDB/databaseAccounts/srnara-signoff\",\r\n \"name\": \"srnara-signoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-24T21:18:49.2688221Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://srnara-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c47fbbe5-0ad5-441b-8d83-3c110cf6d38d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"ConsistentPrefix\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"srnara-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://srnara-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"srnara-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://srnara-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"srnara-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://srnara-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"srnara-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/table-yid5img5ochq6\",\r\n \"name\": \"table-yid5img5ochq6\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-16T01:36:14.9005044Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://table-yid5img5ochq6.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://table-yid5img5ochq6.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"3d7ea172-3b18-4dd2-bb15-a32b0f446d1b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"table-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://table-yid5img5ochq6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"table-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://table-yid5img5ochq6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"table-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://table-yid5img5ochq6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"table-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://table-yid5img5ochq6-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"table-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://table-yid5img5ochq6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"table-yid5img5ochq6-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"table-yid5img5ochq6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/tamitta/providers/Microsoft.DocumentDB/databaseAccounts/tamitta-stage-mongo-36\",\r\n \"name\": \"tamitta-stage-mongo-36\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-24T18:10:52.2983364Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tamitta-stage-mongo-36.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://tamitta-stage-mongo-36.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"635d469b-0dfa-49d6-bd0f-c77969134ac1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tamitta-stage-mongo-36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tamitta-stage-mongo-36-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tamitta-stage-mongo-36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tamitta-stage-mongo-36-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tamitta-stage-mongo-36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tamitta-stage-mongo-36-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tamitta-stage-mongo-36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/test-table-df\",\r\n \"name\": \"test-table-df\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-06-07T00:35:59.9666094Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-table-df.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://test-table-df.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a8ee5685-175e-47c6-89ba-e0f1fa5b2ce8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-table-df-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test-table-df-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-table-df-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test-table-df-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-table-df-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test-table-df-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-table-df-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/sdk-signoff-3\",\r\n \"name\": \"sdk-signoff-3\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-11-09T03:54:04.1095174Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sdk-signoff-3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"b17b8cfe-0aef-46ab-8803-b0ca14e33c5a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Strong\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sdk-signoff-3-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sdk-signoff-3-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sdk-signoff-3-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sdk-signoff-3-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sdk-signoff-3-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://sdk-signoff-3-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sdk-signoff-3-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/mohybridrow\",\r\n \"name\": \"mohybridrow\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-01T17:27:04.1532322Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mohybridrow.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"3b985a3b-924e-4549-b67f-86016e527943\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mohybridrow-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mohybridrow-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mohybridrow-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mohybridrow-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mohybridrow-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mohybridrow-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mohybridrow-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shmotlan/providers/Microsoft.DocumentDB/databaseAccounts/shan-0726-sql\",\r\n \"name\": \"shan-0726-sql\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-26T20:33:35.3418069Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shan-0726-sql.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"1f87ac1e-09cc-4c40-a036-a0382b64b834\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shan-0726-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shan-0726-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shan-0726-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shan-0726-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [\r\n {\r\n \"allowedOrigins\": \"https://localhost\"\r\n }\r\n ],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testazsharath/providers/Microsoft.DocumentDB/databaseAccounts/testaz430\",\r\n \"name\": \"testaz430\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-04-30T22:23:00.435721Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testaz430.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"58128aa2-1b70-4196-8a09-d28f0ff1455a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testaz430-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testaz430-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testaz430-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testaz430-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testaz430-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testaz430-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testaz430-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shmotlan/providers/Microsoft.DocumentDB/databaseAccounts/shan-graph-0823-signoff\",\r\n \"name\": \"shan-graph-0823-signoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-08-24T00:07:20.7266733Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shan-graph-0823-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://shan-graph-0823-signoff.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"ed1f0782-a5ff-48c4-93b1-547f20b0dec8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shan-graph-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-graph-0823-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shan-graph-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-graph-0823-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shan-graph-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-graph-0823-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shan-graph-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nitesh-resource/providers/Microsoft.DocumentDB/databaseAccounts/nitesh-408\",\r\n \"name\": \"nitesh-408\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-02-28T09:47:48.7887582Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nitesh-408.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"917bc598-0994-4fb6-839e-b94ac49c3b3f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nitesh-408-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nitesh-408-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nitesh-408-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nitesh-408-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nitesh-408-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nitesh-408-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nitesh-408-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/computev2stagerg/providers/Microsoft.DocumentDB/databaseAccounts/stagecomputev2dbtestop\",\r\n \"name\": \"stagecomputev2dbtestop\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-03-03T23:10:09.1509165Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stagecomputev2dbtestop.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"f4d464d2-912f-4bdd-859f-932bc8599706\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stagecomputev2dbtestop-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stagecomputev2dbtestop-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stagecomputev2dbtestop-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stagecomputev2dbtestop-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stagecomputev2dbtestop-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stagecomputev2dbtestop-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stagecomputev2dbtestop-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sargup/providers/Microsoft.DocumentDB/databaseAccounts/testazeus\",\r\n \"name\": \"testazeus\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-11-07T18:19:12.3222597Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testazeus.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"8c804e81-41c9-4065-96d7-1c9ea2223cd9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testazeus-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testazeus-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testazeus-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testazeus-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testazeus-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testazeus-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testazeus-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test2/providers/Microsoft.DocumentDB/databaseAccounts/testps1\",\r\n \"name\": \"testps1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-06-26T04:15:27.7406505Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testps1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"3b69fbb4-3621-437f-83e9-8d503c1bd65f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testps1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testps1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testps1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testps1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testps1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testps1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testps1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/supattip_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/supattip-stage\",\r\n \"name\": \"supattip-stage\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-03-05T00:21:05.1429461Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://supattip-stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"bd3cd2c8-fd72-428b-910d-4aac1bbe47da\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"supattip-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://supattip-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"supattip-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://supattip-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"supattip-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://supattip-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"supattip-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shmotlan/providers/Microsoft.DocumentDB/databaseAccounts/shan-table-0823-signoff\",\r\n \"name\": \"shan-table-0823-signoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-08-24T00:06:44.1519716Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shan-table-0823-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://shan-table-0823-signoff.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"9a090f1e-ff8e-48df-a322-f2ec18bbff47\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shan-table-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-table-0823-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shan-table-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-table-0823-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shan-table-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-table-0823-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shan-table-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test-rg/providers/Microsoft.DocumentDB/databaseAccounts/testsanalytics\",\r\n \"name\": \"testsanalytics\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-14T21:39:30.589338Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testsanalytics.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"6adf7139-5e0f-4396-b03d-ea81acfc9280\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testsanalytics-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsanalytics-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testsanalytics-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsanalytics-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testsanalytics-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testsanalytics-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testsanalytics-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsanalytics-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testsanalytics-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testsanalytics-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testsanalytics-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"testsanalytics-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 30,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testshbyok/providers/Microsoft.DocumentDB/databaseAccounts/testshbyokstg90\",\r\n \"name\": \"testshbyokstg90\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-04T00:29:16.8493171Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshbyokstg90.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"3ba2b178-2aa6-4c16-a663-a597c14e7267\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"keyVaultKeyUri\": \"https://testshkv3.vault.azure.net/keys/key2\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshbyokstg90-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshbyokstg90-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshbyokstg90-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshbyokstg90-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshbyokstg90-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshbyokstg90-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshbyokstg90-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test2/providers/Microsoft.DocumentDB/databaseAccounts/testshgen\",\r\n \"name\": \"testshgen\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-02T22:28:27.8284219Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshgen.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"ca9b9214-23fe-4f35-b794-df849f0d1620\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshgen-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshgen-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshgen-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshgen-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshgen-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshgen-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshgen-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/backup-restore/providers/Microsoft.DocumentDB/databaseAccounts/shtan-backup-hold2\",\r\n \"name\": \"shtan-backup-hold2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"restoredSourceDatabaseAccountName\": \"stage-validation-source\",\r\n \"restoredAtTimestamp\": \"8/21/2020 2:45:27 AM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-21T03:01:31.9431834Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shtan-backup-hold2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"7e3c9c1f-07f7-4912-a390-ceeecb100ccf\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shtan-backup-hold2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shtan-backup-hold2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shtan-backup-hold2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shtan-backup-hold2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shtan-backup-hold2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shtan-backup-hold2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shtan-backup-hold2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations//restorableDatabaseAccounts/\",\r\n \"restoreTimestampInUtc\": \"2020-08-21T02:45:16Z\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/sdk-replication-test\",\r\n \"name\": \"sdk-replication-test\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-07-05T20:29:31.4612005Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sdk-replication-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"190b08bf-f254-47bc-a694-508a760db9bc\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Strong\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sdk-replication-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sdk-replication-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sdk-replication-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sdk-replication-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sdk-replication-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sdk-replication-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sdk-replication-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/analytics/providers/Microsoft.DocumentDB/databaseAccounts/shthekkatestacc1\",\r\n \"name\": \"shthekkatestacc1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-16T19:35:59.1935283Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shthekkatestacc1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"64abdab4-b87c-4989-8fff-4c1c6d8ba31e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shthekkatestacc1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shthekkatestacc1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"shthekkatestacc1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shthekkatestacc1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"shthekkatestacc1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shthekkatestacc1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shthekkatestacc1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"shthekkatestacc1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/java-async-signoff\",\r\n \"name\": \"java-async-signoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-12-19T22:18:34.793944Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://java-async-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"849ff8e0-a55c-4a24-a8e0-d4d1f6ab9d27\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Strong\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"java-async-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-async-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"java-async-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-async-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"java-async-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-async-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"java-async-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/srpalive-cassandra-rg/providers/Microsoft.DocumentDB/databaseAccounts/srpalive-stage-cassandra\",\r\n \"name\": \"srpalive-stage-cassandra\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-14T19:17:24.9383024Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://srpalive-stage-cassandra.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://srpalive-stage-cassandra.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"35e82c7b-0f83-4e77-bf8e-d4f7c91cfbe6\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"srpalive-stage-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://srpalive-stage-cassandra-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"srpalive-stage-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://srpalive-stage-cassandra-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"srpalive-stage-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://srpalive-stage-cassandra-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"srpalive-stage-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/roaror-test/providers/Microsoft.DocumentDB/databaseAccounts/stage-signoff-cv2\",\r\n \"name\": \"stage-signoff-cv2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-25T21:51:56.6359245Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stage-signoff-cv2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"7245fa3d-08d2-4951-9c3a-f9cb1e788311\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stage-signoff-cv2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-signoff-cv2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stage-signoff-cv2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-signoff-cv2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stage-signoff-cv2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-signoff-cv2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stage-signoff-cv2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/backup-restore/providers/Microsoft.DocumentDB/databaseAccounts/stage-pitr-validation-source\",\r\n \"name\": \"stage-pitr-validation-source\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-13T23:51:15.7044411Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a54115d5-4356-4771-b7b0-20f475ce5a38\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stage-pitr-validation-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stage-pitr-validation-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"stage-pitr-validation-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"stage-pitr-validation-source-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stage-pitr-validation-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"stage-pitr-validation-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"stage-pitr-validation-source-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stage-pitr-validation-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"stage-pitr-validation-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n },\r\n {\r\n \"id\": \"stage-pitr-validation-source-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 2\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai-test/providers/Microsoft.DocumentDB/databaseAccounts/test-virangai-cont123\",\r\n \"name\": \"test-virangai-cont123\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-05T20:32:26.996202Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-virangai-cont123.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"bb3e3c48-18d8-46e8-b294-41d9406885c5\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-virangai-cont123-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-cont123-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-virangai-cont123-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-cont123-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-virangai-cont123-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test-virangai-cont123-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-virangai-cont123-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/17783e6d-0e28-41e2-b086-9d17763f1d51\",\r\n \"restoreTimestampInUtc\": \"2020-08-05T20:17:47.66Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/sdk-signoff-4\",\r\n \"name\": \"sdk-signoff-4\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-26T21:27:51.8781208Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sdk-signoff-4.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c088144f-eb9c-496a-91ae-36ac38c5c7f1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Strong\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sdk-signoff-4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sdk-signoff-4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sdk-signoff-4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sdk-signoff-4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sdk-signoff-4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sdk-signoff-4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sdk-signoff-4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testshbyok/providers/Microsoft.DocumentDB/databaseAccounts/testslestg1\",\r\n \"name\": \"testslestg1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-07T06:24:58.3661081Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testslestg1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"59539dd3-084c-49e7-99a7-69ef9d70249c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testslestg1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testslestg1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testslestg1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testslestg1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testslestg1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testslestg1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testslestg1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableServerless\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shmotlan/providers/Microsoft.DocumentDB/databaseAccounts/shan-0726-table\",\r\n \"name\": \"shan-0726-table\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-26T20:36:43.7104962Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shan-0726-table.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://shan-0726-table.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"59ddffb8-6900-47e7-bd37-664aa84ee92a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shan-0726-table-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-table-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shan-0726-table-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-table-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shan-0726-table-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-table-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shan-0726-table-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shmotlan/providers/Microsoft.DocumentDB/databaseAccounts/shan-mongo-0823-signoff\",\r\n \"name\": \"shan-mongo-0823-signoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-08-24T00:04:42.9422316Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shan-mongo-0823-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://shan-mongo-0823-signoff.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"70980066-47c7-43ba-8343-a1e645417dc1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shan-mongo-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-mongo-0823-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shan-mongo-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-mongo-0823-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shan-mongo-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-mongo-0823-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shan-mongo-0823-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/tpcdsmongo/providers/Microsoft.DocumentDB/databaseAccounts/tpcdsbenchmark\",\r\n \"name\": \"tpcdsbenchmark\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-16T22:23:23.5848066Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tpcdsbenchmark.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://tpcdsbenchmark.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c06b7af8-c274-4642-a329-192c864422e1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tpcdsbenchmark-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tpcdsbenchmark-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tpcdsbenchmark-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tpcdsbenchmark-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tpcdsbenchmark-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tpcdsbenchmark-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tpcdsbenchmark-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vimeng-rg/providers/Microsoft.DocumentDB/databaseAccounts/vimeng-stage-cass-nb\",\r\n \"name\": \"vimeng-stage-cass-nb\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-03-05T00:19:21.5373582Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vimeng-stage-cass-nb.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://vimeng-stage-cass-nb.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"ef4bbb82-0eff-4861-bfe6-ab61688257d2\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vimeng-stage-cass-nb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vimeng-stage-cass-nb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vimeng-stage-cass-nb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vimeng-stage-cass-nb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vimeng-stage-cass-nb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vimeng-stage-cass-nb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vimeng-stage-cass-nb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test-rg/providers/Microsoft.DocumentDB/databaseAccounts/testkeksh1014\",\r\n \"name\": \"testkeksh1014\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-14T22:57:10.7535281Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testkeksh1014.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"1a0617f8-e4aa-4202-856f-7a3742de2fde\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testkeksh1014-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testkeksh1014-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testkeksh1014-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testkeksh1014-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testkeksh1014-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testkeksh1014-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testkeksh1014-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 30,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vivekrastage/providers/Microsoft.DocumentDB/databaseAccounts/vivekrastagesignoffeu2\",\r\n \"name\": \"vivekrastagesignoffeu2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-01-28T19:55:21.6550449Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vivekrastagesignoffeu2.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://vivekrastagesignoffeu2.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c8629ee6-86f5-49f3-a222-b6c6622be2d5\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vivekrastagesignoffeu2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vivekrastagesignoffeu2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vivekrastagesignoffeu2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vivekrastagesignoffeu2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vivekrastagesignoffeu2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vivekrastagesignoffeu2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vivekrastagesignoffeu2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/rg-20190523t2055476364/providers/Microsoft.DocumentDB/databaseAccounts/sv-20190523t2055476364-restored1\",\r\n \"name\": \"sv-20190523t2055476364-restored1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"restoredSourceDatabaseAccountName\": \"sv-20190523t2055476364\",\r\n \"restoredAtTimestamp\": \"5/24/2019 4:34:37 AM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-05-24T05:00:26.8477667Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sv-20190523t2055476364-restored1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"51d0487f-3e77-40c4-9a8c-341b1049c243\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sv-20190523t2055476364-restored1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sv-20190523t2055476364-restored1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sv-20190523t2055476364-restored1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sv-20190523t2055476364-restored1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sv-20190523t2055476364-restored1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sv-20190523t2055476364-restored1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sv-20190523t2055476364-restored1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 5,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test-rg/providers/Microsoft.DocumentDB/databaseAccounts/testsanalytics1018\",\r\n \"name\": \"testsanalytics1018\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-19T00:06:26.5707715Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testsanalytics1018.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"68561ebe-3527-4cd6-991d-ce3e4c72abd9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testsanalytics1018-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsanalytics1018-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testsanalytics1018-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsanalytics1018-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testsanalytics1018-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testsanalytics1018-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testsanalytics1018-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsanalytics1018-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testsanalytics1018-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testsanalytics1018-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testsanalytics1018-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"testsanalytics1018-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 30,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test2/providers/Microsoft.DocumentDB/databaseAccounts/testshmongo1\",\r\n \"name\": \"testshmongo1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-02T22:18:56.4985682Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshmongo1.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://testshmongo1.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"ce82def7-d23d-4d8a-b4f0-e14955eca281\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshmongo1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshmongo1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshmongo1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshmongo1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshmongo1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshmongo1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshmongo1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shan/providers/Microsoft.DocumentDB/databaseAccounts/stage-test-0408\",\r\n \"name\": \"stage-test-0408\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"$type\": \"Microsoft.WindowsAzure.Management.Common.Storage.CasePreservedDictionary, Microsoft.WindowsAzure.Management.Common.Storage\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-04-08T20:42:00.525745Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stage-test-0408.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c3e831f3-fa1e-4634-99c1-8e04ae92a998\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stage-test-0408-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-test-0408-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stage-test-0408-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-test-0408-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stage-test-0408-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-test-0408-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stage-test-0408-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testshbyok/providers/Microsoft.DocumentDB/databaseAccounts/testshref4\",\r\n \"name\": \"testshref4\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-14T02:01:53.1320728Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshref4.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c2521bc1-b5e6-4dd4-9a6d-645694b94b47\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"keyVaultKeyUri\": \"https://testshtest1.vault.azure.net/keys/key2\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshref4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshref4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshref4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshref4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshref4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshref4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshref4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testshbyok/providers/Microsoft.DocumentDB/databaseAccounts/testshstgbyok15\",\r\n \"name\": \"testshstgbyok15\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-03T21:20:25.7881457Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshstgbyok15.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"e56d849a-d674-4bf2-9bab-21dfaee94990\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"keyVaultKeyUri\": \"https://testshkv3.vault.azure.net/keys/key2\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshstgbyok15-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshstgbyok15-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshstgbyok15-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshstgbyok15-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshstgbyok15-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshstgbyok15-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshstgbyok15-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test1/providers/Microsoft.DocumentDB/databaseAccounts/test897\",\r\n \"name\": \"test897\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Graph\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-09-18T22:37:23.5451688Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test897.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://test897.gremlin.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"3854c12f-7eed-4879-be1f-f8f6139e333d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test897-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test897-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test897-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test897-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test897-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test897-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test897-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/SelviTest-RG/providers/Microsoft.DocumentDB/databaseAccounts/selvitest-account\",\r\n \"name\": \"selvitest-account\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-23T16:18:42.3547114Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://selvitest-account.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"55083b96-b985-4dec-92df-fa0ac98443f1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"selvitest-account-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://selvitest-account-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"selvitest-account-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://selvitest-account-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"selvitest-account-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://selvitest-account-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"selvitest-account-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testshbyok/providers/Microsoft.DocumentDB/databaseAccounts/testslestg2\",\r\n \"name\": \"testslestg2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-07T06:28:37.7623765Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testslestg2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d6631534-fb41-46b2-9aac-e0927350a2b3\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testslestg2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testslestg2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testslestg2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testslestg2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testslestg2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testslestg2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testslestg2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableServerless\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/tli-test-byok/providers/Microsoft.DocumentDB/databaseAccounts/tli-test-byok5\",\r\n \"name\": \"tli-test-byok5\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-17T03:11:25.1931086Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tli-test-byok5.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"996037c1-980b-4b97-9b18-d4475aa3248e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"keyVaultKeyUri\": \"https://liliang-test-byok.vault.azure.net/keys/test-byok\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tli-test-byok5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tli-test-byok5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tli-test-byok5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tli-test-byok5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tli-test-byok5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tli-test-byok5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tli-test-byok5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/tracevalidation/providers/Microsoft.DocumentDB/databaseAccounts/tracevalidation-sql\",\r\n \"name\": \"tracevalidation-sql\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-11-14T21:53:36.8247307Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tracevalidation-sql.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d3d5336f-6ab9-4c37-a4d2-4823bcc3ce48\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tracevalidation-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tracevalidation-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tracevalidation-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tracevalidation-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tracevalidation-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tracevalidation-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tracevalidation-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vimeng-rg/providers/Microsoft.DocumentDB/databaseAccounts/vimeng-stage-mongo-nb\",\r\n \"name\": \"vimeng-stage-mongo-nb\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-03-12T02:05:58.7859019Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vimeng-stage-mongo-nb.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://vimeng-stage-mongo-nb.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"50e8eb52-9ea0-4653-a980-d53d99f49ccd\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vimeng-stage-mongo-nb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vimeng-stage-mongo-nb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vimeng-stage-mongo-nb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vimeng-stage-mongo-nb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vimeng-stage-mongo-nb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vimeng-stage-mongo-nb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vimeng-stage-mongo-nb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n },\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test-rg/providers/Microsoft.DocumentDB/databaseAccounts/testkeksh1015\",\r\n \"name\": \"testkeksh1015\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-14T23:16:33.7595767Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testkeksh1015.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"2bc211e1-a170-431a-8fbb-1f5c61ee0733\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testkeksh1015-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testkeksh1015-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testkeksh1015-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testkeksh1015-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testkeksh1015-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testkeksh1015-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testkeksh1015-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 30,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/walgreens/providers/Microsoft.DocumentDB/databaseAccounts/walgreens-rbac\",\r\n \"name\": \"walgreens-rbac\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-01T02:05:51.5990661Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://walgreens-rbac.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"219b590d-bcc0-4b58-874c-36863e6b1bad\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"walgreens-rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://walgreens-rbac-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"walgreens-rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://walgreens-rbac-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"walgreens-rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://walgreens-rbac-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"walgreens-rbac-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test-rg/providers/Microsoft.DocumentDB/databaseAccounts/testsanalyticsnew\",\r\n \"name\": \"testsanalyticsnew\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-18T23:17:09.3676833Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testsanalyticsnew.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"1d3b3900-22ed-49e2-bc70-58835ebf851f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testsanalyticsnew-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsanalyticsnew-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testsanalyticsnew-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsanalyticsnew-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testsanalyticsnew-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testsanalyticsnew-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testsanalyticsnew-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsanalyticsnew-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testsanalyticsnew-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testsanalyticsnew-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testsanalyticsnew-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"testsanalyticsnew-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 30,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test2/providers/Microsoft.DocumentDB/databaseAccounts/testshmongo2\",\r\n \"name\": \"testshmongo2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-02T22:23:04.5154649Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshmongo2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c2e4d99b-fabd-4419-95ec-b4f2ee29b393\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshmongo2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshmongo2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshmongo2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshmongo2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshmongo2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshmongo2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshmongo2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/backup-restore/providers/Microsoft.DocumentDB/databaseAccounts/stage-validation-source\",\r\n \"name\": \"stage-validation-source\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-12-02T23:22:22.8339651Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stage-validation-source.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"2e123a98-31b1-4603-a0e7-8a84fa28a1ee\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stage-validation-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stage-validation-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"stage-validation-source-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://stage-validation-source-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stage-validation-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"stage-validation-source-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://stage-validation-source-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stage-validation-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"stage-validation-source-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [\r\n {\r\n \"allowedOrigins\": \"*\"\r\n }\r\n ],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 245,\r\n \"backupRetentionIntervalInHours\": 25,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testshbyok/providers/Microsoft.DocumentDB/databaseAccounts/testshstag1\",\r\n \"name\": \"testshstag1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-03T20:27:20.2594519Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshstag1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"995129ca-73ac-4270-a7e9-de49b24a163b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshstag1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshstag1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshstag1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshstag1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshstag1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshstag1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshstag1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test123/providers/Microsoft.DocumentDB/databaseAccounts/testsignoff\",\r\n \"name\": \"testsignoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-09-17T00:16:18.0771513Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testsignoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"df3c1f97-55df-406a-b2ca-3c824b898154\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testsignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testsignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testsignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testsignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/SelviTest-RG/providers/Microsoft.DocumentDB/databaseAccounts/selvitest-account-destinationforrestore\",\r\n \"name\": \"selvitest-account-destinationforrestore\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-23T17:39:57.4976354Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://selvitest-account-destinationforrestore.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"ec72f021-4974-405a-8c78-f74207ff0e12\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"selvitest-account-destinationforrestore-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://selvitest-account-destinationforrestore-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"selvitest-account-destinationforrestore-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://selvitest-account-destinationforrestore-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"selvitest-account-destinationforrestore-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://selvitest-account-destinationforrestore-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"selvitest-account-destinationforrestore-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/55083b96-b985-4dec-92df-fa0ac98443f1\",\r\n \"restoreTimestampInUtc\": \"2020-07-23T17:06:10Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gsk/providers/Microsoft.DocumentDB/databaseAccounts/ttres\",\r\n \"name\": \"ttres\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-08-23T20:26:57.6721104Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ttres.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://ttres.cassandra.cosmosdb.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"6afec438-93fe-4428-ac3c-f35608f2a964\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ttres-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ttres-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ttres-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ttres-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ttres-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ttres-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ttres-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai-test/providers/Microsoft.DocumentDB/databaseAccounts/virangai-test-bk-cont\",\r\n \"name\": \"virangai-test-bk-cont\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-28T22:09:23.3005573Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://virangai-test-bk-cont.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"17783e6d-0e28-41e2-b086-9d17763f1d51\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"virangai-test-bk-cont-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-bk-cont-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"virangai-test-bk-cont-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-bk-cont-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"virangai-test-bk-cont-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-bk-cont-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"virangai-test-bk-cont-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testshbyok/providers/Microsoft.DocumentDB/databaseAccounts/testshref1\",\r\n \"name\": \"testshref1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-08-14T01:55:00.2663629Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshref1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"b7caf086-1739-4d15-ae61-eff9ce4a0c25\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshref1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshref1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshref1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshref1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshref1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshref1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshref1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test/providers/Microsoft.DocumentDB/databaseAccounts/testshstage\",\r\n \"name\": \"testshstage\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-10-10T21:05:22.7077813Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testshstage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"71a50eeb-5d42-4753-b1bb-d2c6c063ff6b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testshstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshstage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testshstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshstage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testshstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testshstage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testshstage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/testshbyok/providers/Microsoft.DocumentDB/databaseAccounts/testsless\",\r\n \"name\": \"testsless\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-07T04:59:18.913562Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testsless.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a6cbf641-4203-4c6c-add6-6d90d6c7c6a2\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testsless-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsless-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testsless-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsless-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testsless-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testsless-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testsless-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/tvkcassandrademo/providers/Microsoft.DocumentDB/databaseAccounts/tvkcassandrademo\",\r\n \"name\": \"tvkcassandrademo\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-05-14T17:32:55.1868041Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tvkcassandrademo.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://tvkcassandrademo.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"06b06214-765c-435a-995b-14ea5651da8d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tvkcassandrademo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tvkcassandrademo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tvkcassandrademo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tvkcassandrademo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tvkcassandrademo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tvkcassandrademo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tvkcassandrademo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/SelviTest-RG/providers/Microsoft.DocumentDB/databaseAccounts/selvitest-account-destinationforrestorev2\",\r\n \"name\": \"selvitest-account-destinationforrestorev2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-23T17:41:21.5364537Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://selvitest-account-destinationforrestorev2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"2d90bc37-cd54-4352-9e57-e6aa3f22d494\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"selvitest-account-destinationforrestorev2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://selvitest-account-destinationforrestorev2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"selvitest-account-destinationforrestorev2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://selvitest-account-destinationforrestorev2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"selvitest-account-destinationforrestorev2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://selvitest-account-destinationforrestorev2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"selvitest-account-destinationforrestorev2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/55083b96-b985-4dec-92df-fa0ac98443f1\",\r\n \"restoreTimestampInUtc\": \"2020-07-23T17:06:10Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai-test/providers/Microsoft.DocumentDB/databaseAccounts/virangai-test-bk-periodic\",\r\n \"name\": \"virangai-test-bk-periodic\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-07-28T22:17:49.6964141Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://virangai-test-bk-periodic.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"dc66fd77-d262-4669-b43d-23f1ed1483f0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"virangai-test-bk-periodic-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-bk-periodic-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"virangai-test-bk-periodic-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-bk-periodic-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"virangai-test-bk-periodic-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://virangai-test-bk-periodic-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"virangai-test-bk-periodic-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/xujzhang_stage/providers/Microsoft.DocumentDB/databaseAccounts/xujinstagetest1\",\r\n \"name\": \"xujinstagetest1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-03-22T21:07:39.7713078Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://xujinstagetest1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"0173ac57-191b-49ee-925c-e578604ce691\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"xujinstagetest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://xujinstagetest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"xujinstagetest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://xujinstagetest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"xujinstagetest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://xujinstagetest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"xujinstagetest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shmotlan/providers/Microsoft.DocumentDB/databaseAccounts/shan-0726-cassandra\",\r\n \"name\": \"shan-0726-cassandra\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-26T20:36:06.0851865Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shan-0726-cassandra.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://shan-0726-cassandra.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d8f0ab61-7696-4a90-bccc-ace162567de1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shan-0726-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-cassandra-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shan-0726-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-cassandra-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shan-0726-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shan-0726-cassandra-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shan-0726-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/xujzhang_stage/providers/Microsoft.DocumentDB/databaseAccounts/xujinstagetest2\",\r\n \"name\": \"xujinstagetest2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-04-01T20:21:52.6485436Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://xujinstagetest2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"5f143bbb-1924-48e9-a99d-adb8231afc9b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"xujinstagetest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://xujinstagetest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"xujinstagetest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://xujinstagetest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"xujinstagetest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://xujinstagetest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"xujinstagetest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stageeastus2fd5\",\r\n \"name\": \"canary-stageeastus2fd5\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-16T13:42:04.8923822Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd5.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a9ccaa44-ea29-4215-8a21-9fc277eef399\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/jasontho-stagetest32\",\r\n \"name\": \"jasontho-stagetest32\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-19T22:13:22.179313Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://jasontho-stagetest32.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://jasontho-stagetest32.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"98f5d7df-6e9a-44b8-9314-84d0a0aa456a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"jasontho-stagetest32-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jasontho-stagetest32-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"jasontho-stagetest32-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jasontho-stagetest32-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"jasontho-stagetest32-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jasontho-stagetest32-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"jasontho-stagetest32-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/jasontho-stagetest36\",\r\n \"name\": \"jasontho-stagetest36\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-19T22:17:01.1188426Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://jasontho-stagetest36.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://jasontho-stagetest36.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"ed43e94e-b1d1-462c-84bc-5ff8a229cd7f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"jasontho-stagetest36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jasontho-stagetest36-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"jasontho-stagetest36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jasontho-stagetest36-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"jasontho-stagetest36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jasontho-stagetest36-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"jasontho-stagetest36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/clizdrn52wvk2p6\",\r\n \"name\": \"clizdrn52wvk2p6\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-20T19:34:35.4461278Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://clizdrn52wvk2p6.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"9ad09199-8e7a-4c2d-812a-41a3a21c7c67\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"clizdrn52wvk2p6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://clizdrn52wvk2p6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"clizdrn52wvk2p6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://clizdrn52wvk2p6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"clizdrn52wvk2p6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://clizdrn52wvk2p6-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"clizdrn52wvk2p6-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ragil/providers/Microsoft.DocumentDB/databaseAccounts/ragil-stage2\",\r\n \"name\": \"ragil-stage2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-21T06:42:55.5856255Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ragil-stage2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"1a9aa254-93fd-46e4-a4e6-86a8c2ffe8ff\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ragil-stage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ragil-stage2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ragil-stage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ragil-stage2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ragil-stage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ragil-stage2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ragil-stage2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/BCDR/providers/Microsoft.DocumentDB/databaseAccounts/bcdrdrill\",\r\n \"name\": \"bcdrdrill\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-21T19:39:36.3359017Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://bcdrdrill.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"062979ad-28c2-4f77-908b-6d93e69bcb14\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"bcdrdrill-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://bcdrdrill-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"bcdrdrill-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://bcdrdrill-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"bcdrdrill-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://bcdrdrill-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"bcdrdrill-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/OutageDrill/providers/Microsoft.DocumentDB/databaseAccounts/outagedrill\",\r\n \"name\": \"outagedrill\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-21T19:42:53.5545452Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://outagedrill.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"606e424c-bc9e-4607-8f83-1e1be9a12dc2\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"outagedrill-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://outagedrill-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"outagedrill-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://outagedrill-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"outagedrill-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://outagedrill-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"outagedrill-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://outagedrill-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"outagedrill-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://outagedrill-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"outagedrill-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"outagedrill-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shellyg_dr/providers/Microsoft.DocumentDB/databaseAccounts/shellyg-dr\",\r\n \"name\": \"shellyg-dr\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-21T20:20:06.9213431Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shellyg-dr.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"705a1e7e-1d00-42b3-bbef-67d60db50efc\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shellyg-dr-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shellyg-dr-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shellyg-dr-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shellyg-dr-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shellyg-dr-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shellyg-dr-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shellyg-dr-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/OutageDrill/providers/Microsoft.DocumentDB/databaseAccounts/outagedrillmongo\",\r\n \"name\": \"outagedrillmongo\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-22T20:43:06.8561405Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://outagedrillmongo.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://outagedrillmongo.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"49a64798-7d2e-4f4f-a81c-2a0a9bdf2562\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"outagedrillmongo-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://outagedrillmongo-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"outagedrillmongo-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://outagedrillmongo-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"outagedrillmongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://outagedrillmongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"outagedrillmongo-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://outagedrillmongo-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"outagedrillmongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://outagedrillmongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"outagedrillmongo-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"outagedrillmongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abpairg/providers/Microsoft.DocumentDB/databaseAccounts/patch-testing-demos\",\r\n \"name\": \"patch-testing-demos\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-27T10:06:57.5067585Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://patch-testing-demos.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"6ceef6fc-53f0-4d4a-ae4b-006b91a148be\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"patch-testing-demos-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://patch-testing-demos-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"patch-testing-demos-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://patch-testing-demos-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Deleting\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"patch-testing-demos-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://patch-testing-demos-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"patch-testing-demos-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://patch-testing-demos-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Deleting\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"patch-testing-demos-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://patch-testing-demos-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"patch-testing-demos-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://patch-testing-demos-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Deleting\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"patch-testing-demos-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"patch-testing-demos-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/walgreens/providers/Microsoft.DocumentDB/databaseAccounts/walgreens-rbac-2\",\r\n \"name\": \"walgreens-rbac-2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-27T21:44:43.295874Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://walgreens-rbac-2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"8718f446-9918-4a76-a8cc-00c34959db70\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"walgreens-rbac-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://walgreens-rbac-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"walgreens-rbac-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://walgreens-rbac-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"walgreens-rbac-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://walgreens-rbac-2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"walgreens-rbac-2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shatri_vmss/providers/Microsoft.DocumentDB/databaseAccounts/shcassvmss\",\r\n \"name\": \"shcassvmss\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-29T20:21:17.1326652Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shcassvmss.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://shcassvmss.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"aec926f8-4de5-489c-84b6-0cf83c525057\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"small\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shcassvmss-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shcassvmss-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shcassvmss-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shcassvmss-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shcassvmss-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shcassvmss-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shcassvmss-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3871/providers/Microsoft.DocumentDB/databaseAccounts/accountname1980\",\r\n \"name\": \"accountname1980\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"key1\": \"value1\",\r\n \"key2\": \"value2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-29T20:44:58.7189491Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://accountname1980.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": true,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"fdbd461a-4efe-45ed-83aa-ded9d4730003\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 1000,\r\n \"maxStalenessPrefix\": 300\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"accountname1980-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname1980-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"accountname1980-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname1980-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"accountname1980-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname1980-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"accountname1980-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vahemeswtest/providers/Microsoft.DocumentDB/databaseAccounts/vahemeswridtest\",\r\n \"name\": \"vahemeswridtest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-30T07:31:52.9777392Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vahemeswridtest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"047cb6e8-ea14-43ae-9c6b-f1d1269ac569\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vahemeswridtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vahemeswridtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"vahemeswridtest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://vahemeswridtest-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vahemeswridtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vahemeswridtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"vahemeswridtest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://vahemeswridtest-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vahemeswridtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vahemeswridtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Updating\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"vahemeswridtest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://vahemeswridtest-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vahemeswridtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"vahemeswridtest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/aetest1\",\r\n \"name\": \"aetest1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-02T01:57:08.6131214Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://aetest1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"1ae0285a-d538-4dfa-9103-d4e0706ad2c3\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"aetest1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://aetest1-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"aetest1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://aetest1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"aetest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://aetest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"aetest1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://aetest1-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"aetest1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://aetest1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"aetest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://aetest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"aetest1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://aetest1-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"aetest1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://aetest1-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"aetest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://aetest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"aetest1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"aetest1-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n },\r\n {\r\n \"id\": \"aetest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 2\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/OutageDrill/providers/Microsoft.DocumentDB/databaseAccounts/outagedrillrwworkload\",\r\n \"name\": \"outagedrillrwworkload\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-02T23:29:01.5199281Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://outagedrillrwworkload.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"827f0be0-0719-4bd4-a13a-0a322bb82050\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"outagedrillrwworkload-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://outagedrillrwworkload-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"outagedrillrwworkload-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://outagedrillrwworkload-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"outagedrillrwworkload-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://outagedrillrwworkload-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"outagedrillrwworkload-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://outagedrillrwworkload-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"outagedrillrwworkload-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://outagedrillrwworkload-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"outagedrillrwworkload-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"outagedrillrwworkload-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/fnbalaji-test/providers/Microsoft.DocumentDB/databaseAccounts/fnbalaji-metrics\",\r\n \"name\": \"fnbalaji-metrics\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-10T00:26:06.0296548Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://fnbalaji-metrics.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"f2bdc357-b0d7-4f9e-8353-4b38d1ade4c9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"fnbalaji-metrics-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://fnbalaji-metrics-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"fnbalaji-metrics-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://fnbalaji-metrics-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"fnbalaji-metrics-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://fnbalaji-metrics-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"fnbalaji-metrics-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Local\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ankisrgstage/providers/Microsoft.DocumentDB/databaseAccounts/ankisstage23\",\r\n \"name\": \"ankisstage23\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-19T07:02:35.3594771Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ankisstage23.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"774b5e27-c17e-4f9a-aa16-c1d4531f2239\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ankisstage23-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ankisstage23-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ankisstage23-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ankisstage23-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ankisstage23-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ankisstage23-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ankisstage23-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ankisstage23-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ankisstage23-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ankisstage23-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ankisstage23-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"ankisstage23-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/fnbalaji-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/fnbalaji-stage-signoff\",\r\n \"name\": \"fnbalaji-stage-signoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-19T17:41:23.8356518Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://fnbalaji-stage-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"77d833f8-0784-4034-aa46-efeef57775e8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"fnbalaji-stage-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://fnbalaji-stage-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"fnbalaji-stage-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://fnbalaji-stage-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"fnbalaji-stage-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://fnbalaji-stage-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"fnbalaji-stage-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Local\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mongolargedoctest/providers/Microsoft.DocumentDB/databaseAccounts/mongolargedoctest\",\r\n \"name\": \"mongolargedoctest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-20T13:29:24.5625937Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongolargedoctest.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongolargedoctest.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"f97ec1fb-8360-4f55-890b-f6c99c1603b1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongolargedoctest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongolargedoctest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongolargedoctest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongolargedoctest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongolargedoctest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongolargedoctest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongolargedoctest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mongolargedoctest/providers/Microsoft.DocumentDB/databaseAccounts/mongo34\",\r\n \"name\": \"mongo34\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-20T16:34:40.581941Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo34.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongo34.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"800f86a5-3637-4c92-9031-d9e70a8bd1a8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo34-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongo34-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo34-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongo34-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo34-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongo34-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo34-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mongotestdocsize/providers/Microsoft.DocumentDB/databaseAccounts/mongolargedocsizetest\",\r\n \"name\": \"mongolargedocsizetest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-20T18:39:41.78945Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongolargedocsizetest.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongolargedocsizetest.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"6a54ebdd-8f86-4e77-8d83-aa405d9a4165\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongolargedocsizetest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongolargedocsizetest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongolargedocsizetest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongolargedocsizetest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongolargedocsizetest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongolargedocsizetest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongolargedocsizetest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/table-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/tablestagesignoffeastus2\",\r\n \"name\": \"tablestagesignoffeastus2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-11-24T12:01:02.1301419Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tablestagesignoffeastus2.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://tablestagesignoffeastus2.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"bf5bc138-b90e-4c6b-a465-0f60ed040d5a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tablestagesignoffeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tablestagesignoffeastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tablestagesignoffeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tablestagesignoffeastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tablestagesignoffeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tablestagesignoffeastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tablestagesignoffeastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/restoredaccountname637428812785768088\",\r\n \"name\": \"restoredaccountname637428812785768088\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-07T20:03:40.5408878Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://restoredaccountname637428812785768088.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"b0c8684b-7f9c-45fe-8ab9-2a74b656867e\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"restoredaccountname637428812785768088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname637428812785768088-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"restoredaccountname637428812785768088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname637428812785768088-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"restoredaccountname637428812785768088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname637428812785768088-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"restoredaccountname637428812785768088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/aca7d453-88a9-4bf2-8abc-46d21553638f\",\r\n \"restoreTimestampInUtc\": \"2020-12-06T19:54:38.5768088Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/pitr-mongo32-stage-source\",\r\n \"name\": \"pitr-mongo32-stage-source\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-07T21:23:55.1942911Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-mongo32-stage-source.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"eadac7e2-61f0-4e07-aaa1-9dbb495ec5a8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-mongo32-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-mongo32-stage-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-mongo32-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-mongo32-stage-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"pitr-mongo32-stage-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-mongo32-stage-source-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-mongo32-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-mongo32-stage-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"pitr-mongo32-stage-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-mongo32-stage-source-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-mongo32-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"pitr-mongo32-stage-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/pitr-mongo36-stage-source\",\r\n \"name\": \"pitr-mongo36-stage-source\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-07T21:35:23.3656995Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-mongo36-stage-source.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://pitr-mongo36-stage-source.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"25a04cf0-89d4-4546-9c30-14d1dc8899df\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-mongo36-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-mongo36-stage-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-mongo36-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-mongo36-stage-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"pitr-mongo36-stage-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-mongo36-stage-source-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-mongo36-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-mongo36-stage-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"pitr-mongo36-stage-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-mongo36-stage-source-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-mongo36-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"pitr-mongo36-stage-source-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nichatur/providers/Microsoft.DocumentDB/databaseAccounts/nichatur-restore-test\",\r\n \"name\": \"nichatur-restore-test\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-07T23:33:56.040742Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nichatur-restore-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"345c785a-e758-4f8b-94d4-0a1259f4f85b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nichatur-restore-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nichatur-restore-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nichatur-restore-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nichatur-restore-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nichatur-restore-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nichatur-restore-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nichatur-restore-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.10.40.67\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nichatur/providers/Microsoft.DocumentDB/databaseAccounts/nichatur-restore-test-r1\",\r\n \"name\": \"nichatur-restore-test-r1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-07T23:57:58.8872446Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nichatur-restore-test-r1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"605db505-9267-4cf0-b7ac-27ef644b2ef3\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nichatur-restore-test-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nichatur-restore-test-r1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nichatur-restore-test-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nichatur-restore-test-r1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nichatur-restore-test-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nichatur-restore-test-r1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nichatur-restore-test-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/345c785a-e758-4f8b-94d4-0a1259f4f85b\",\r\n \"restoreTimestampInUtc\": \"2020-12-07T23:47:49.48Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/restoredaccountname637428989095532319\",\r\n \"name\": \"restoredaccountname637428989095532319\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-08T00:57:51.9046166Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://restoredaccountname637428989095532319.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"0d00d699-017a-4a76-8639-ab4bec82c5f2\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"restoredaccountname637428989095532319-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname637428989095532319-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"restoredaccountname637428989095532319-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname637428989095532319-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"restoredaccountname637428989095532319-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://restoredaccountname637428989095532319-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"restoredaccountname637428989095532319-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/aca7d453-88a9-4bf2-8abc-46d21553638f\",\r\n \"restoreTimestampInUtc\": \"2020-12-07T00:48:29.5532319Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nichatur/providers/Microsoft.DocumentDB/databaseAccounts/nichatur-restore-test-r2\",\r\n \"name\": \"nichatur-restore-test-r2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-08T22:03:13.047643Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nichatur-restore-test-r2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"73d1010d-f0b7-4673-b8c0-18ddecdcda06\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nichatur-restore-test-r2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nichatur-restore-test-r2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nichatur-restore-test-r2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nichatur-restore-test-r2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nichatur-restore-test-r2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nichatur-restore-test-r2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nichatur-restore-test-r2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/345c785a-e758-4f8b-94d4-0a1259f4f85b\",\r\n \"restoreTimestampInUtc\": \"2020-12-08T21:53:49.725Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nitesh-resource/providers/Microsoft.DocumentDB/databaseAccounts/nidudhey-test-stage\",\r\n \"name\": \"nidudhey-test-stage\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-15T15:20:43.4354931Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nidudhey-test-stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c66385ac-9338-4f47-83bb-d2335cc369f0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nidudhey-test-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nidudhey-test-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nidudhey-test-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nidudhey-test-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nidudhey-test-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nidudhey-test-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nidudhey-test-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nidudhey-test-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nidudhey-test-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nidudhey-test-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nidudhey-test-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nidudhey-test-stage-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nidudhey-test-stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"nidudhey-test-stage-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup1787/providers/Microsoft.DocumentDB/databaseAccounts/accountname8516\",\r\n \"name\": \"accountname8516\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"key3\": \"value3\",\r\n \"key4\": \"value4\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-15T23:39:48.5589913Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://accountname8516.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://accountname8516.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": true,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c4672bc7-527c-45c2-9921-dce0b47d2bef\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"accountname8516-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname8516-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"accountname8516-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname8516-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"accountname8516-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname8516-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"accountname8516-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nidudhey-largedocs-stage/providers/Microsoft.DocumentDB/databaseAccounts/largedocsaccount\",\r\n \"name\": \"largedocsaccount\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-16T12:17:24.5504605Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://largedocsaccount.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"14e613e2-0fd2-48f0-8816-9bf1e990be97\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"largedocsaccount-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://largedocsaccount-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"largedocsaccount-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://largedocsaccount-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"largedocsaccount-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://largedocsaccount-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"largedocsaccount-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nitesh-resource/providers/Microsoft.DocumentDB/databaseAccounts/nidudheylargedocsaccount2\",\r\n \"name\": \"nidudheylargedocsaccount2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-16T15:12:35.8999909Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a13d649a-4238-4cfc-944e-79c516049cd3\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nidudheylargedocsaccount2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nidudheylargedocsaccount2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nidudheylargedocsaccount2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nidudheylargedocsaccount2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nidudheylargedocsaccount2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nidudheylargedocsaccount2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nidudheylargedocsaccount2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"nidudheylargedocsaccount2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/nitesh-resource/providers/Microsoft.DocumentDB/databaseAccounts/nidudheylargedocsaccount3\",\r\n \"name\": \"nidudheylargedocsaccount3\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-12-16T18:31:42.2164221Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"3cf70cd8-9fc6-4382-b5f4-1600ea82fe63\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"nidudheylargedocsaccount3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nidudheylargedocsaccount3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"nidudheylargedocsaccount3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nidudheylargedocsaccount3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"nidudheylargedocsaccount3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"nidudheylargedocsaccount3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://nidudheylargedocsaccount3-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"nidudheylargedocsaccount3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"nidudheylargedocsaccount3-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/SQL_on_Compute_sign_off/providers/Microsoft.DocumentDB/databaseAccounts/sqloncomputesignoff\",\r\n \"name\": \"sqloncomputesignoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-14T05:46:36.9458648Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sqloncomputesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"1f2287d6-f5d8-415b-bee7-1e95cb017813\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sqloncomputesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sqloncomputesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sqloncomputesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sqloncomputesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sqloncomputesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test1027group/providers/Microsoft.DocumentDB/databaseAccounts/test-tepa0115\",\r\n \"name\": \"test-tepa0115\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-15T11:45:43.924868Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-tepa0115.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"14287d17-5cc7-4672-8781-0c51170758f4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-tepa0115-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test-tepa0115-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-tepa0115-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test-tepa0115-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"test-tepa0115-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-tepa0115-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-tepa0115-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test-tepa0115-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"test-tepa0115-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://test-tepa0115-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-tepa0115-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"test-tepa0115-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 25,\r\n \"backupStorageRedundancy\": \"Local\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/kakhandr-rg/providers/Microsoft.DocumentDB/databaseAccounts/kal-restore-test\",\r\n \"name\": \"kal-restore-test\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-15T21:58:31.8978899Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://kal-restore-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d1535f84-06b5-497b-8768-962ece984001\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"kal-restore-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kal-restore-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"kal-restore-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kal-restore-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"kal-restore-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://kal-restore-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"kal-restore-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/a54115d5-4356-4771-b7b0-20f475ce5a38\",\r\n \"restoreTimestampInUtc\": \"2020-12-17T18:59:50Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stageeastus2fd3-sqlx\",\r\n \"name\": \"canary-stageeastus2fd3-sqlx\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-19T19:09:48.5481956Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd3-sqlx.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"ce2d1575-d2e5-47bd-976c-16d9cf7dbb81\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd3-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd3-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd3-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd3-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd3-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd3-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd3-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSqlx\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/mongostagevalidation0120\",\r\n \"name\": \"mongostagevalidation0120\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-20T19:37:24.8064847Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongostagevalidation0120.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongostagevalidation0120.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"7c7e80e2-c316-42eb-b044-e65deda55c19\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongostagevalidation0120-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongostagevalidation0120-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongostagevalidation0120-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongostagevalidation0120-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongostagevalidation0120-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongostagevalidation0120-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongostagevalidation0120-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/mongostage360120\",\r\n \"name\": \"mongostage360120\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-20T19:38:29.6101734Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongostage360120.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongostage360120.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"acf7cb86-2412-47e3-a6dd-a82c656bfa3a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongostage360120-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongostage360120-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongostage360120-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongostage360120-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongostage360120-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongostage360120-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongostage360120-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shreystagetest/providers/Microsoft.DocumentDB/databaseAccounts/shreystagetest1\",\r\n \"name\": \"shreystagetest1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-20T19:41:28.6998319Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shreystagetest1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"abe98c9b-bf84-4b8d-8eb4-c50b076edee1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shreystagetest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreystagetest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shreystagetest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreystagetest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shreystagetest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreystagetest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shreystagetest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/testmongoaccount32stage\",\r\n \"name\": \"testmongoaccount32stage\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-20T20:21:26.0548848Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testmongoaccount32stage.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://testmongoaccount32stage.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"5df12441-3a92-4488-b6bb-ba9313dd399e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testmongoaccount32stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmongoaccount32stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testmongoaccount32stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmongoaccount32stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testmongoaccount32stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmongoaccount32stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testmongoaccount32stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ccxstagevalidationrg/providers/Microsoft.DocumentDB/databaseAccounts/ccxteststagesignoff\",\r\n \"name\": \"ccxteststagesignoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-21T14:24:57.0107597Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ccxteststagesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://ccxteststagesignoff.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"6d831b36-0bcf-44cd-b47b-f99c3ab11d9c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ccxteststagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ccxteststagesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ccxteststagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ccxteststagesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ccxteststagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ccxteststagesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ccxteststagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/mekaushi-stage0125\",\r\n \"name\": \"mekaushi-stage0125\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-25T23:21:48.7752496Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mekaushi-stage0125.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"5f934eae-2a90-425c-a144-770fc0f17da6\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mekaushi-stage0125-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mekaushi-stage0125-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mekaushi-stage0125-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mekaushi-stage0125-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mekaushi-stage0125-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mekaushi-stage0125-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mekaushi-stage0125-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stageeastus2fd4-sqlx\",\r\n \"name\": \"canary-stageeastus2fd4-sqlx\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-27T22:13:50.556868Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd4-sqlx.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"cfd45293-fdec-486b-bb4b-5fc97fb06041\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd4-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd4-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd4-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd4-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd4-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd4-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd4-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSqlx\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stageeastus2fd5-sqlx\",\r\n \"name\": \"canary-stageeastus2fd5-sqlx\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-27T23:58:03.8477755Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd5-sqlx.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"1978addb-0520-4004-97cf-abf83490dad1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd5-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd5-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd5-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd5-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd5-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd5-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd5-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSqlx\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stageeastus2fd6-sqlx\",\r\n \"name\": \"canary-stageeastus2fd6-sqlx\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-28T18:45:43.6929006Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd6-sqlx.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a7af4aba-906c-4463-bef6-65017ee6ab3b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd6-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd6-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd6-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd6-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd6-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2fd6-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stageeastus2fd6-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSqlx\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sachimplacementhint/providers/Microsoft.DocumentDB/databaseAccounts/placementhintcosmosdb\",\r\n \"name\": \"placementhintcosmosdb\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-01-28T19:57:53.7083463Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://placementhintcosmosdb.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"9922c594-4816-4e93-8f06-02a92896734b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"placementhintcosmosdb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://placementhintcosmosdb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"placementhintcosmosdb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://placementhintcosmosdb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"placementhintcosmosdb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://placementhintcosmosdb-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"placementhintcosmosdb-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/java-v4-sdk-signoff\",\r\n \"name\": \"java-v4-sdk-signoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-01T19:22:47.4913463Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://java-v4-sdk-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"54bbaba3-b104-472d-8c0f-bb994dfbb6db\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Strong\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"java-v4-sdk-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-v4-sdk-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"java-v4-sdk-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-v4-sdk-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"java-v4-sdk-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-v4-sdk-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"java-v4-sdk-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/fnbalaji-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/fnbalaji-stage-sign-off-eastus2\",\r\n \"name\": \"fnbalaji-stage-sign-off-eastus2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-03T04:04:38.8739575Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://fnbalaji-stage-sign-off-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"ad2cdbeb-7050-481e-b89f-3041cba78662\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"fnbalaji-stage-sign-off-eastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://fnbalaji-stage-sign-off-eastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"fnbalaji-stage-sign-off-eastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://fnbalaji-stage-sign-off-eastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"fnbalaji-stage-sign-off-eastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://fnbalaji-stage-sign-off-eastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"fnbalaji-stage-sign-off-eastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup1450/providers/Microsoft.DocumentDB/databaseAccounts/accountname495\",\r\n \"name\": \"accountname495\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"key3\": \"value3\",\r\n \"key4\": \"value4\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-03T19:08:37.8715072Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://accountname495.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://accountname495.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": true,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"f8a8da88-e9cc-4b79-b77f-5314e4c291f8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"accountname495-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname495-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"accountname495-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname495-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"accountname495-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname495-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"accountname495-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124\",\r\n \"name\": \"cli124\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-03T19:07:21.5352664Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cli124.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"53ff61db-dc59-44a5-ba3f-e5c82c0822d3\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cli124-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cli124-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cli124-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cli124-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cli124-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cli124-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cli124-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/kakhandr-rg/providers/Microsoft.DocumentDB/databaseAccounts/pitr-unique-mode-source\",\r\n \"name\": \"pitr-unique-mode-source\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-03T19:53:24.4508018Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-unique-mode-source.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"9351dd2e-d901-465b-98cb-a74a3aabd49f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-unique-mode-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-unique-mode-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-unique-mode-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-unique-mode-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-unique-mode-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-unique-mode-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-unique-mode-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/kakhandr-rg/providers/Microsoft.DocumentDB/databaseAccounts/pitr-unique-mode-restored\",\r\n \"name\": \"pitr-unique-mode-restored\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-03T20:07:49.7514223Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-unique-mode-restored.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"222da8e2-da07-46db-9cd2-51a2efb84b9f\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-unique-mode-restored-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-unique-mode-restored-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-unique-mode-restored-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-unique-mode-restored-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-unique-mode-restored-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-unique-mode-restored-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-unique-mode-restored-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/9351dd2e-d901-465b-98cb-a74a3aabd49f\",\r\n \"restoreTimestampInUtc\": \"2021-02-03T19:56:16Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ruleiRG/providers/Microsoft.DocumentDB/databaseAccounts/stage-pitr-validation-source-rulei\",\r\n \"name\": \"stage-pitr-validation-source-rulei\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-04T19:39:55.6436193Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-rulei.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://stage-pitr-validation-source-rulei.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d03dfdb8-9db2-4a5f-9f6c-40a8868d740a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stage-pitr-validation-source-rulei-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-rulei-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"stage-pitr-validation-source-rulei-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-rulei-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stage-pitr-validation-source-rulei-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-rulei-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"stage-pitr-validation-source-rulei-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-rulei-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stage-pitr-validation-source-rulei-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-rulei-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"stage-pitr-validation-source-rulei-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-rulei-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stage-pitr-validation-source-rulei-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"stage-pitr-validation-source-rulei-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwsing-signoff/providers/Microsoft.DocumentDB/databaseAccounts/testmongo40\",\r\n \"name\": \"testmongo40\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-04T20:25:38.7529107Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testmongo40.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://testmongo40.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d9dcb808-173a-4635-b931-e5afad9ca53b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testmongo40-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmongo40-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testmongo40-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmongo40-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testmongo40-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmongo40-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testmongo40-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"104.42.195.92\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"40.76.54.131\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.176.6.30\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.169.50.45\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.187.184.26\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwsing-signoff/providers/Microsoft.DocumentDB/databaseAccounts/test40mongo\",\r\n \"name\": \"test40mongo\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-04T20:30:40.6419389Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test40mongo.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://test40mongo.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"b04ac343-3f8e-4c17-a8dc-30bd4f9c2dc0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test40mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test40mongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test40mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test40mongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test40mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test40mongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test40mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jmondal-eu2/providers/Microsoft.DocumentDB/databaseAccounts/jmondal-stg-d32\",\r\n \"name\": \"jmondal-stg-d32\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlinv2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-05T00:56:28.4386887Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://jmondal-stg-d32.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://jmondal-stg-d32.gremlin.cosmos.windows-ppe.net/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"GremlinV2\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"fd5e1594-f8d8-4beb-bc14-3f765970720d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"clusterInstanceCount\": 1,\r\n \"clusterSize\": \"Cosmos.Gremlin.D32s\"\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"jmondal-stg-d32-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jmondal-stg-d32-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"jmondal-stg-d32-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jmondal-stg-d32-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"jmondal-stg-d32-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://jmondal-stg-d32-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"jmondal-stg-d32-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlinV2\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/backup-restore/providers/Microsoft.DocumentDB/databaseAccounts/stage-validation-m\",\r\n \"name\": \"stage-validation-m\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-05T04:08:09.1223636Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stage-validation-m.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://stage-validation-m.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"19e4130a-cb83-4a34-85c2-e35dcda149f8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stage-validation-m-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-m-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stage-validation-m-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-m-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"stage-validation-m-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-m-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stage-validation-m-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-m-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"stage-validation-m-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-m-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stage-validation-m-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"stage-validation-m-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwsing-signoff/providers/Microsoft.DocumentDB/databaseAccounts/test40mongo-two\",\r\n \"name\": \"test40mongo-two\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-05T19:38:06.2713539Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test40mongo-two.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://test40mongo-two.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"01c23f84-caf0-4ae3-a87f-e69c49e266bb\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test40mongo-two-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test40mongo-two-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test40mongo-two-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test40mongo-two-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test40mongo-two-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test40mongo-two-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test40mongo-two-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwsing-signoff/providers/Microsoft.DocumentDB/databaseAccounts/test40mongo-one\",\r\n \"name\": \"test40mongo-one\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-05T19:38:47.0239921Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test40mongo-one.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://test40mongo-one.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"9e4eb9da-41c3-4787-9696-194b9046430c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test40mongo-one-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test40mongo-one-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test40mongo-one-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test40mongo-one-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test40mongo-one-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test40mongo-one-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test40mongo-one-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwsing-signoff/providers/Microsoft.DocumentDB/databaseAccounts/test40mongo-three\",\r\n \"name\": \"test40mongo-three\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-05T19:40:55.9814347Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test40mongo-three.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://test40mongo-three.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"5f317237-4670-4837-b434-4ce48e344254\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test40mongo-three-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test40mongo-three-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test40mongo-three-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test40mongo-three-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test40mongo-three-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://test40mongo-three-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test40mongo-three-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup4461/providers/Microsoft.DocumentDB/databaseAccounts/accountname1110\",\r\n \"name\": \"accountname1110\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"key1\": \"value1\",\r\n \"key2\": \"value2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-09T20:55:58.8091811Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://accountname1110.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://accountname1110.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": true,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"2ffc1476-50ff-4df5-b1e0-a67a25d4b937\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"AzureServices\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 1000,\r\n \"maxStalenessPrefix\": 300\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"accountname1110-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname1110-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"accountname1110-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname1110-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"accountname1110-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname1110-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"accountname1110-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": [\r\n \"/subscriptions/subId/resourcegroups/rgName/providers/Microsoft.Synapse/workspaces/workspaceName\"\r\n ]\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sdk-ci/providers/Microsoft.DocumentDB/databaseAccounts/java-v4-multimaster-signoff\",\r\n \"name\": \"java-v4-multimaster-signoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-09T21:04:08.234252Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://java-v4-multimaster-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"2a69724f-bb3b-4837-bbb9-631a4a4eed61\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"java-v4-multimaster-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-v4-multimaster-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"java-v4-multimaster-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://java-v4-multimaster-signoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"java-v4-multimaster-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-v4-multimaster-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"java-v4-multimaster-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://java-v4-multimaster-signoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"java-v4-multimaster-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://java-v4-multimaster-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"java-v4-multimaster-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://java-v4-multimaster-signoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"java-v4-multimaster-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"java-v4-multimaster-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stageeastus2cs1-sqlx\",\r\n \"name\": \"canary-stageeastus2cs1-sqlx\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-17T19:57:24.5713914Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cs1-sqlx.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a2b3eae8-555e-4e63-87e4-5fd3932188c9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2cs1-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cs1-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2cs1-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cs1-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stageeastus2cs1-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cs1-sqlx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stageeastus2cs1-sqlx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/kakhandr-rg/providers/Microsoft.DocumentDB/databaseAccounts/multiregion-pitr-billing-test\",\r\n \"name\": \"multiregion-pitr-billing-test\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-19T00:20:17.5689785Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://multiregion-pitr-billing-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"5939cc7f-0bdd-4790-9ac6-a3b281c64f97\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"multiregion-pitr-billing-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://multiregion-pitr-billing-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"multiregion-pitr-billing-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://multiregion-pitr-billing-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"multiregion-pitr-billing-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://multiregion-pitr-billing-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"multiregion-pitr-billing-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://multiregion-pitr-billing-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"multiregion-pitr-billing-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://multiregion-pitr-billing-test-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"multiregion-pitr-billing-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"multiregion-pitr-billing-test-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/a54115d5-4356-4771-b7b0-20f475ce5a38\",\r\n \"restoreTimestampInUtc\": \"2021-02-17T00:00:00Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vivekrastage/providers/Microsoft.DocumentDB/databaseAccounts/eytestaccount\",\r\n \"name\": \"eytestaccount\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-20T00:13:44.2195855Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://eytestaccount.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://eytestaccount.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"212565ef-f4ca-4f52-9791-5ac06a6ca17c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"eytestaccount-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://eytestaccount-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"eytestaccount-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://eytestaccount-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"eytestaccount-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://eytestaccount-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"eytestaccount-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shreystagetest/providers/Microsoft.DocumentDB/databaseAccounts/shreytest14\",\r\n \"name\": \"shreytest14\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-20T00:49:36.6854744Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shreytest14.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d0b4d884-644a-4160-afe8-482b2301dc8e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shreytest14-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreytest14-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shreytest14-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreytest14-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shreytest14-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreytest14-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shreytest14-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/wmengstagetest/providers/Microsoft.DocumentDB/databaseAccounts/wmengstageeastus2a\",\r\n \"name\": \"wmengstageeastus2a\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-20T08:06:19.8438893Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://wmengstageeastus2a.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"18eab4fd-4b6b-4879-be92-6b6dc9011e89\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"wmengstageeastus2a-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://wmengstageeastus2a-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"wmengstageeastus2a-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://wmengstageeastus2a-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"wmengstageeastus2a-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://wmengstageeastus2a-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"wmengstageeastus2a-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwini-rg/providers/Microsoft.DocumentDB/databaseAccounts/mong-acis-test1\",\r\n \"name\": \"mong-acis-test1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-22T02:40:11.4494598Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mong-acis-test1.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mong-acis-test1.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"f9215d75-c403-48a3-8583-0e0bc8805721\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mong-acis-test1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mong-acis-test1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mong-acis-test1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mong-acis-test1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mong-acis-test1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mong-acis-test1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mong-acis-test1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwsing-rg/providers/Microsoft.DocumentDB/databaseAccounts/mongo-acis-test2\",\r\n \"name\": \"mongo-acis-test2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-22T02:41:18.9456951Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo-acis-test2.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongo-acis-test2.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a9c9e96c-6e94-49f6-a37f-85876f358394\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo-acis-test2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongo-acis-test2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo-acis-test2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongo-acis-test2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo-acis-test2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://mongo-acis-test2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo-acis-test2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/vivekrastage/providers/Microsoft.DocumentDB/databaseAccounts/eyaccounttest\",\r\n \"name\": \"eyaccounttest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-22T19:36:19.4403448Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://eyaccounttest.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://eyaccounttest.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"ae788764-c612-4bc3-898e-5e02703614a0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"eyaccounttest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://eyaccounttest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"eyaccounttest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://eyaccounttest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"eyaccounttest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://eyaccounttest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"eyaccounttest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shatri_vmss/providers/Microsoft.DocumentDB/databaseAccounts/shatrimongo\",\r\n \"name\": \"shatrimongo\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-22T21:35:10.2385338Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shatrimongo.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://shatrimongo.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"54d58514-d9af-4d5d-bea5-0135b5006330\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shatrimongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shatrimongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shatrimongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shatrimongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shatrimongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shatrimongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shatrimongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/tvoellm-group/providers/Microsoft.DocumentDB/databaseAccounts/tvoellmdb1\",\r\n \"name\": \"tvoellmdb1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-23T16:55:24.7807978Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tvoellmdb1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"00194f2d-6f8c-4c24-bda4-ad60c97111c4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tvoellmdb1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tvoellmdb1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tvoellmdb1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tvoellmdb1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tvoellmdb1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tvoellmdb1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tvoellmdb1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/tvoellm-group/providers/Microsoft.DocumentDB/databaseAccounts/tvoellmdb3\",\r\n \"name\": \"tvoellmdb3\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-23T17:01:11.0478289Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tvoellmdb3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"11df0155-1170-412e-8d6a-6f58ee58e288\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"keyVaultKeyUri\": \"https://tvoellmkv1.vault.azure.net/keys/tvoellmkey1\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tvoellmdb3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tvoellmdb3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tvoellmdb3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tvoellmdb3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tvoellmdb3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tvoellmdb3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tvoellmdb3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/adt-stage-test-rg/providers/Microsoft.DocumentDB/databaseAccounts/adt-stage-test\",\r\n \"name\": \"adt-stage-test\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlinv2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-25T07:03:40.4901866Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://adt-stage-test.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://adt-stage-test.gremlin.cosmos.windows-ppe.net/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"GremlinV2\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"1acc9e5b-7a64-4dec-a2be-f8d928f14a49\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"clusterInstanceCount\": 1,\r\n \"clusterSize\": \"Cosmos.Gremlin.D8s\"\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"adt-stage-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://adt-stage-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"adt-stage-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://adt-stage-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"adt-stage-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://adt-stage-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"adt-stage-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlinV2\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-stage-rg/providers/Microsoft.DocumentDB/databaseAccounts/restore-pitr-mongo32-stage-source\",\r\n \"name\": \"restore-pitr-mongo32-stage-source\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-26T18:11:03.2574337Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://restore-pitr-mongo32-stage-source.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"96aa7f5a-5292-44f3-9d3e-bec163b0de1a\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"restore-pitr-mongo32-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://restore-pitr-mongo32-stage-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"restore-pitr-mongo32-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://restore-pitr-mongo32-stage-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"restore-pitr-mongo32-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://restore-pitr-mongo32-stage-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"restore-pitr-mongo32-stage-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/eadac7e2-61f0-4e07-aaa1-9dbb495ec5a8\",\r\n \"restoreTimestampInUtc\": \"2021-02-04T00:00:00Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/kakhandr-rg-2/providers/Microsoft.DocumentDB/databaseAccounts/pitr-serverless-test\",\r\n \"name\": \"pitr-serverless-test\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-08T22:40:04.4989269Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-serverless-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"06da6f05-e2dc-42ad-b5c1-eb3cb8b2384e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-serverless-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-serverless-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-serverless-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-serverless-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-serverless-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-serverless-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-serverless-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableServerless\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/kakhandr-rg-2/providers/Microsoft.DocumentDB/databaseAccounts/pitr-serverless-test-restored\",\r\n \"name\": \"pitr-serverless-test-restored\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-08T23:36:48.4648174Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-serverless-test-restored.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"1c4db817-dc87-4715-84d5-3b5c44da3cc1\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-serverless-test-restored-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-serverless-test-restored-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-serverless-test-restored-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-serverless-test-restored-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-serverless-test-restored-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-serverless-test-restored-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-serverless-test-restored-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableServerless\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/06da6f05-e2dc-42ad-b5c1-eb3cb8b2384e\",\r\n \"restoreTimestampInUtc\": \"2021-03-08T23:25:00Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/backup-restore/providers/Microsoft.DocumentDB/databaseAccounts/tepatest0310a\",\r\n \"name\": \"tepatest0310a\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-10T20:36:37.1720145Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tepatest0310a.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"678dbef3-bf86-4a6c-acab-4ca4a77a100e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tepatest0310a-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tepatest0310a-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tepatest0310a-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tepatest0310a-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tepatest0310a-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tepatest0310a-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tepatest0310a-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/backup-restore/providers/Microsoft.DocumentDB/databaseAccounts/tepatest0310b\",\r\n \"name\": \"tepatest0310b\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-10T21:21:45.3052045Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tepatest0310b.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"1d2d8b93-5746-492c-bb7c-7a632ea2d086\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tepatest0310b-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tepatest0310b-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tepatest0310b-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tepatest0310b-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tepatest0310b-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tepatest0310b-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tepatest0310b-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/backup-restore/providers/Microsoft.DocumentDB/databaseAccounts/tepatest0310d\",\r\n \"name\": \"tepatest0310d\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-10T21:52:59.9199356Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tepatest0310d.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"21b75fa2-c78b-46e4-bbec-95977d11ba36\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tepatest0310d-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tepatest0310d-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tepatest0310d-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tepatest0310d-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tepatest0310d-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tepatest0310d-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tepatest0310d-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shreygremlintest/providers/Microsoft.DocumentDB/databaseAccounts/shreygremlintest1\",\r\n \"name\": \"shreygremlintest1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlinv2\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-11T02:07:44.8615871Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shreygremlintest1.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://shreygremlintest1.gremlin.cosmos.windows-ppe.net/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"GremlinV2\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"161fd54c-fdb7-4d2d-8afc-324d806e74de\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"clusterInstanceCount\": 1,\r\n \"clusterSize\": \"Cosmos.D4s\"\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shreygremlintest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreygremlintest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shreygremlintest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreygremlintest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shreygremlintest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreygremlintest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shreygremlintest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlinV2\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shreystagetest/providers/Microsoft.DocumentDB/databaseAccounts/shreytest\",\r\n \"name\": \"shreytest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-11T08:51:30.3079148Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://shreytest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"6629d96d-be05-4211-9bce-73ebe715f174\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"shreytest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreytest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"shreytest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreytest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"shreytest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://shreytest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"shreytest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pjohari-stage-test/providers/Microsoft.DocumentDB/databaseAccounts/pjohari-stage-eu2\",\r\n \"name\": \"pjohari-stage-eu2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-11T18:12:43.4317687Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pjohari-stage-eu2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"91aeb50f-f34a-4af9-9eb0-62b652a168be\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pjohari-stage-eu2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pjohari-stage-eu2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pjohari-stage-eu2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pjohari-stage-eu2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pjohari-stage-eu2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pjohari-stage-eu2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pjohari-stage-eu2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/testmvbuilder\",\r\n \"name\": \"testmvbuilder\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-11T22:31:41.8970707Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testmvbuilder.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://testmvbuilder.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"b9bca712-00cf-461b-a344-f649270bc433\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testmvbuilder-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmvbuilder-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testmvbuilder-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmvbuilder-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testmvbuilder-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmvbuilder-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testmvbuilder-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/testmvbuilder2\",\r\n \"name\": \"testmvbuilder2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-11T23:57:49.3229903Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testmvbuilder2.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://testmvbuilder2.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"fa0993ae-3451-49c2-9452-095e8f5902a0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testmvbuilder2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmvbuilder2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testmvbuilder2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmvbuilder2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testmvbuilder2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmvbuilder2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testmvbuilder2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/tesmvbuilder3\",\r\n \"name\": \"tesmvbuilder3\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-12T00:40:27.5945409Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://tesmvbuilder3.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://tesmvbuilder3.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"319146c3-627a-41c5-a4e0-ffef0e10400a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"tesmvbuilder3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tesmvbuilder3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"tesmvbuilder3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tesmvbuilder3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"tesmvbuilder3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://tesmvbuilder3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"tesmvbuilder3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/testmvbuilder4\",\r\n \"name\": \"testmvbuilder4\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-12T05:26:24.8742151Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testmvbuilder4.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://testmvbuilder4.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"ead85aba-bbed-4c41-b7f6-5d3221a4998c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testmvbuilder4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmvbuilder4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testmvbuilder4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmvbuilder4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testmvbuilder4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmvbuilder4-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testmvbuilder4-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/testmvbuilder5\",\r\n \"name\": \"testmvbuilder5\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-12T05:37:32.4220539Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testmvbuilder5.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://testmvbuilder5.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"b879f341-2f6f-4696-b24f-14358f3a5c7b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testmvbuilder5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmvbuilder5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testmvbuilder5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmvbuilder5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testmvbuilder5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmvbuilder5-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testmvbuilder5-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/mekaushi/providers/Microsoft.DocumentDB/databaseAccounts/testmvbuilder8\",\r\n \"name\": \"testmvbuilder8\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-12T07:23:58.3503072Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testmvbuilder8.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://testmvbuilder8.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"dde7db97-a4d9-4dbf-a72f-2241a958f843\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": true,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testmvbuilder8-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmvbuilder8-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testmvbuilder8-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmvbuilder8-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testmvbuilder8-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testmvbuilder8-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testmvbuilder8-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CtlProfilingPrototypes/providers/Microsoft.DocumentDB/databaseAccounts/ecommerceworkloadtest\",\r\n \"name\": \"ecommerceworkloadtest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-12T18:38:38.6044454Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ecommerceworkloadtest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d9bc6200-0e96-4751-b1fa-26846ffbc35a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ecommerceworkloadtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ecommerceworkloadtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ecommerceworkloadtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ecommerceworkloadtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ecommerceworkloadtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://ecommerceworkloadtest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ecommerceworkloadtest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/SqlxStageSignoff/providers/Microsoft.DocumentDB/databaseAccounts/sqlxjavastagesignoff\",\r\n \"name\": \"sqlxjavastagesignoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-15T16:50:12.8435432Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sqlxjavastagesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"3dbdad58-e720-4d3f-bb94-9805fc4d4f78\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sqlxjavastagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sqlxjavastagesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sqlxjavastagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sqlxjavastagesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sqlxjavastagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sqlxjavastagesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sqlxjavastagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/SqlxStageSignoff/providers/Microsoft.DocumentDB/databaseAccounts/sqlxstagesignoff\",\r\n \"name\": \"sqlxstagesignoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-15T21:58:39.7593502Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sqlxstagesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"caf3fa53-e03e-4887-9c0d-45a5995f4755\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Eventual\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sqlxstagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sqlxstagesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sqlxstagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sqlxstagesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sqlxstagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sqlxstagesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sqlxstagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/SqlxStageSignoff/providers/Microsoft.DocumentDB/databaseAccounts/sqlxpythonstagesignoff\",\r\n \"name\": \"sqlxpythonstagesignoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-16T00:16:17.6580081Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://sqlxpythonstagesignoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"05b26858-b489-4c1b-b85d-e47ae5060c29\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"sqlxpythonstagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sqlxpythonstagesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"sqlxpythonstagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sqlxpythonstagesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"sqlxpythonstagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://sqlxpythonstagesignoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"sqlxpythonstagesignoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/viho-rg-stage/providers/Microsoft.DocumentDB/databaseAccounts/vihosqlaz\",\r\n \"name\": \"vihosqlaz\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-20T00:40:34.5604465Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vihosqlaz.documents-staging.windows-ppe.net:443/\",\r\n \"sqlEndpoint\": \"https://vihosqlaz.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"398282d8-1c34-4785-92bf-4673e97a8619\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vihosqlaz-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vihosqlaz-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vihosqlaz-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vihosqlaz-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vihosqlaz-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vihosqlaz-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vihosqlaz-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSql\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/viho-rg-stage/providers/Microsoft.DocumentDB/databaseAccounts/vihosqlaz2\",\r\n \"name\": \"vihosqlaz2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-20T00:41:09.2301281Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vihosqlaz2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"dcb15e65-7448-4f97-b4dc-59723390c993\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vihosqlaz2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vihosqlaz2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vihosqlaz2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vihosqlaz2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vihosqlaz2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vihosqlaz2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vihosqlaz2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/viho-rg-stage/providers/Microsoft.DocumentDB/databaseAccounts/vihosqlaz3\",\r\n \"name\": \"vihosqlaz3\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-20T00:41:39.60151Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vihosqlaz3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"9342715d-092e-4fe6-a3f8-27cbbf09b4e3\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vihosqlaz3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vihosqlaz3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vihosqlaz3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vihosqlaz3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vihosqlaz3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vihosqlaz3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vihosqlaz3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/linkedIn/providers/Microsoft.DocumentDB/databaseAccounts/linkedin-ctl-staging\",\r\n \"name\": \"linkedin-ctl-staging\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-22T21:39:59.1959652Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://linkedin-ctl-staging.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"e1da48b5-748c-48a3-8891-725cb1b0f78e\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"linkedin-ctl-staging-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://linkedin-ctl-staging-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"linkedin-ctl-staging-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://linkedin-ctl-staging-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"linkedin-ctl-staging-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://linkedin-ctl-staging-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"linkedin-ctl-staging-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stageeastus2cm2-cassandra\",\r\n \"name\": \"canary-stageeastus2cm2-cassandra\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-26T17:38:39.5527019Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cm2-cassandra.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://canary-stageeastus2cm2-cassandra.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"ce92655d-b1ef-4367-a0fc-ea69d12b32d6\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2cm2-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cm2-cassandra-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2cm2-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cm2-cassandra-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stageeastus2cm2-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cm2-cassandra-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stageeastus2cm2-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stageeastus2cm4-cassandra\",\r\n \"name\": \"canary-stageeastus2cm4-cassandra\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-26T17:42:04.9313772Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cm4-cassandra.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://canary-stageeastus2cm4-cassandra.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"26d28559-b84c-46eb-b728-328af4b074d1\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2cm4-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cm4-cassandra-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2cm4-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cm4-cassandra-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stageeastus2cm4-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cm4-cassandra-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stageeastus2cm4-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stageeastus2cm5-cassandra\",\r\n \"name\": \"canary-stageeastus2cm5-cassandra\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-26T17:43:05.5503932Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cm5-cassandra.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://canary-stageeastus2cm5-cassandra.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"476b9613-f016-433a-b852-dde54bacd240\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2cm5-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cm5-cassandra-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stageeastus2cm5-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cm5-cassandra-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stageeastus2cm5-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://canary-stageeastus2cm5-cassandra-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stageeastus2cm5-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gaausfel-dev/providers/Microsoft.DocumentDB/databaseAccounts/gaausfel-staging-signoff\",\r\n \"name\": \"gaausfel-staging-signoff\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-29T18:07:56.8869506Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gaausfel-staging-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"cf23349a-ffbe-47db-8f90-846d93a8e800\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gaausfel-staging-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gaausfel-staging-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gaausfel-staging-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gaausfel-staging-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gaausfel-staging-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://gaausfel-staging-signoff-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gaausfel-staging-signoff-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/backup-restore/providers/Microsoft.DocumentDB/databaseAccounts/stage-pitr-validation-source-restored1\",\r\n \"name\": \"stage-pitr-validation-source-restored1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-29T18:56:13.1795531Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-restored1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"9ba4de72-dcc5-4129-a64a-cbcdb3cdd9dc\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stage-pitr-validation-source-restored1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-restored1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stage-pitr-validation-source-restored1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-restored1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stage-pitr-validation-source-restored1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-pitr-validation-source-restored1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stage-pitr-validation-source-restored1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/a54115d5-4356-4771-b7b0-20f475ce5a38\",\r\n \"restoreTimestampInUtc\": \"2021-03-01T11:00:44Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/bar-stagevalidationtest/providers/Microsoft.DocumentDB/databaseAccounts/pitr-hotfix-stage-restored-rrr-20210331\",\r\n \"name\": \"pitr-hotfix-stage-restored-rrr-20210331\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-31T12:26:54.4557208Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-hotfix-stage-restored-rrr-20210331.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"25c89fdc-a256-429f-8288-2f0e6e5f39ed\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-hotfix-stage-restored-rrr-20210331-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-hotfix-stage-restored-rrr-20210331-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-hotfix-stage-restored-rrr-20210331-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-hotfix-stage-restored-rrr-20210331-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-hotfix-stage-restored-rrr-20210331-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-hotfix-stage-restored-rrr-20210331-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-hotfix-stage-restored-rrr-20210331-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/a54115d5-4356-4771-b7b0-20f475ce5a38\",\r\n \"restoreTimestampInUtc\": \"2021-03-31T12:05:22.1385897Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/bar-stagevalidationtest/providers/Microsoft.DocumentDB/databaseAccounts/pitr-hotfix-stage-restored-dr-20210331\",\r\n \"name\": \"pitr-hotfix-stage-restored-dr-20210331\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-31T12:56:29.9986368Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-hotfix-stage-restored-dr-20210331.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"6aac05b1-7b02-415d-9a7e-b7884b5505f8\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-hotfix-stage-restored-dr-20210331-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-hotfix-stage-restored-dr-20210331-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-hotfix-stage-restored-dr-20210331-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-hotfix-stage-restored-dr-20210331-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-hotfix-stage-restored-dr-20210331-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-hotfix-stage-restored-dr-20210331-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-hotfix-stage-restored-dr-20210331-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/e4238066-b529-481d-9371-0956f24ff55d\",\r\n \"restoreTimestampInUtc\": \"2021-03-31T12:27:47.4347058Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/bar-stagevalidationtest/providers/Microsoft.DocumentDB/databaseAccounts/pitr-hotfix-stage-restored-ror-20210331\",\r\n \"name\": \"pitr-hotfix-stage-restored-ror-20210331\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-31T13:20:21.0905569Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-hotfix-stage-restored-ror-20210331.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d81c1811-de53-4aee-9ef9-3378e7be9fc1\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-hotfix-stage-restored-ror-20210331-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-hotfix-stage-restored-ror-20210331-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-hotfix-stage-restored-ror-20210331-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-hotfix-stage-restored-ror-20210331-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-hotfix-stage-restored-ror-20210331-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-hotfix-stage-restored-ror-20210331-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-hotfix-stage-restored-ror-20210331-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/25c89fdc-a256-429f-8288-2f0e6e5f39ed\",\r\n \"restoreTimestampInUtc\": \"2021-03-31T12:58:04.5033658Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/samahanarg/providers/Microsoft.DocumentDB/databaseAccounts/samahanasqltest\",\r\n \"name\": \"samahanasqltest\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-13T18:48:03.6696958Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://samahanasqltest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"13e0bf01-3f07-4d6d-a669-97df7611644c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"samahanasqltest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://samahanasqltest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"samahanasqltest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://samahanasqltest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"samahanasqltest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://samahanasqltest-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"samahanasqltest-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/samahanarg/providers/Microsoft.DocumentDB/databaseAccounts/samahanatest2\",\r\n \"name\": \"samahanatest2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-13T21:54:34.7268625Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://samahanatest2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"16a31465-d07d-4e3c-b020-4b2617ba349c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"samahanatest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://samahanatest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"samahanatest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://samahanatest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"samahanatest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://samahanatest2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"samahanatest2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/backup-restore/providers/Microsoft.DocumentDB/databaseAccounts/stage-validation-source-r3\",\r\n \"name\": \"stage-validation-source-r3\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"restoredSourceDatabaseAccountName\": \"stage-validation-source\",\r\n \"restoredAtTimestamp\": \"4/14/2021 6:24:15 PM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-14T18:31:35.5537137Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"b2b59808-8687-4485-b441-c9b289915a07\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stage-validation-source-r3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stage-validation-source-r3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stage-validation-source-r3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stage-validation-source-r3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations//restorableDatabaseAccounts/2e123a98-31b1-4603-a0e7-8a84fa28a1ee\",\r\n \"restoreTimestampInUtc\": \"2021-04-14T14:00:00Z\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/backup-restore/providers/Microsoft.DocumentDB/databaseAccounts/stage-validation-source-r2\",\r\n \"name\": \"stage-validation-source-r2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"restoredSourceDatabaseAccountName\": \"stage-validation-source\",\r\n \"restoredAtTimestamp\": \"4/14/2021 6:24:28 PM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-14T18:33:57.3219104Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"66f72090-3feb-4bfc-846e-4a5aa03cd863\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stage-validation-source-r2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stage-validation-source-r2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stage-validation-source-r2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stage-validation-source-r2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Local\"\r\n }\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations//restorableDatabaseAccounts/2e123a98-31b1-4603-a0e7-8a84fa28a1ee\",\r\n \"restoreTimestampInUtc\": \"2021-04-14T14:00:00Z\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/backup-restore/providers/Microsoft.DocumentDB/databaseAccounts/stage-validation-source-r1\",\r\n \"name\": \"stage-validation-source-r1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"restoredSourceDatabaseAccountName\": \"stage-validation-source\",\r\n \"restoredAtTimestamp\": \"4/14/2021 6:24:38 PM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-14T18:33:55.2592402Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"8b53dc96-dda3-4b43-b682-0cbec089e5e9\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stage-validation-source-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stage-validation-source-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stage-validation-source-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stage-validation-source-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 9,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations//restorableDatabaseAccounts/2e123a98-31b1-4603-a0e7-8a84fa28a1ee\",\r\n \"restoreTimestampInUtc\": \"2021-04-14T14:00:00Z\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/bar-stagevalidationtest/providers/Microsoft.DocumentDB/databaseAccounts/pitr-hotfix-stage-restored-rrr-20210414\",\r\n \"name\": \"pitr-hotfix-stage-restored-rrr-20210414\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-14T22:28:52.8596304Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-hotfix-stage-restored-rrr-20210414.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"3472b9a8-dce7-412f-908f-0ca07fab66b4\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-hotfix-stage-restored-rrr-20210414-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-hotfix-stage-restored-rrr-20210414-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-hotfix-stage-restored-rrr-20210414-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-hotfix-stage-restored-rrr-20210414-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-hotfix-stage-restored-rrr-20210414-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-hotfix-stage-restored-rrr-20210414-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-hotfix-stage-restored-rrr-20210414-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/a54115d5-4356-4771-b7b0-20f475ce5a38\",\r\n \"restoreTimestampInUtc\": \"2021-04-14T21:49:40.8690981Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/viho-rg-stage/providers/Microsoft.DocumentDB/databaseAccounts/vihocassaz2\",\r\n \"name\": \"vihocassaz2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-14T22:39:09.1817003Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vihocassaz2.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://vihocassaz2.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"99e728ed-7484-4fad-b7f8-cb22b4feeae0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vihocassaz2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vihocassaz2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vihocassaz2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vihocassaz2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vihocassaz2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vihocassaz2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": true\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vihocassaz2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/backup-restore/providers/Microsoft.DocumentDB/databaseAccounts/stage-validation-source-r44-r1\",\r\n \"name\": \"stage-validation-source-r44-r1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"restoredSourceDatabaseAccountName\": \"stage-validation-source,stage-validation-source-r44\",\r\n \"restoredAtTimestamp\": \"4/14/2021 6:24:38 PM,4/15/2021 2:02:54 AM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-15T02:10:59.4427334Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r44-r1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"4e67451b-4561-4e86-8977-5cae9561a5db\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stage-validation-source-r44-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r44-r1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stage-validation-source-r44-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r44-r1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stage-validation-source-r44-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r44-r1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stage-validation-source-r44-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations//restorableDatabaseAccounts/0a330a35-66f6-412b-bc7d-5fb09028d7c6\",\r\n \"restoreTimestampInUtc\": \"2021-04-14T21:57:20Z\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/bar-stagevalidationtest/providers/Microsoft.DocumentDB/databaseAccounts/pitr-hotfix-stage-restored-dr-20210414\",\r\n \"name\": \"pitr-hotfix-stage-restored-dr-20210414\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-15T02:32:17.0028163Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-hotfix-stage-restored-dr-20210414.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"86d7038a-f878-403a-844e-743f89abbb1f\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-hotfix-stage-restored-dr-20210414-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-hotfix-stage-restored-dr-20210414-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-hotfix-stage-restored-dr-20210414-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-hotfix-stage-restored-dr-20210414-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-hotfix-stage-restored-dr-20210414-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-hotfix-stage-restored-dr-20210414-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-hotfix-stage-restored-dr-20210414-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/663857f1-9f11-442b-9d89-f20cc7fd8585\",\r\n \"restoreTimestampInUtc\": \"2021-04-14T22:29:35.0741176Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/bar-stagevalidationtest/providers/Microsoft.DocumentDB/databaseAccounts/pitr-hotfix-stage-restored-ror-20210414\",\r\n \"name\": \"pitr-hotfix-stage-restored-ror-20210414\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-15T02:57:02.1149308Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-hotfix-stage-restored-ror-20210414.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a0c919ea-bb0b-4389-9639-532e9f5d245e\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-hotfix-stage-restored-ror-20210414-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-hotfix-stage-restored-ror-20210414-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-hotfix-stage-restored-ror-20210414-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-hotfix-stage-restored-ror-20210414-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-hotfix-stage-restored-ror-20210414-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://pitr-hotfix-stage-restored-ror-20210414-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-hotfix-stage-restored-ror-20210414-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/3472b9a8-dce7-412f-908f-0ca07fab66b4\",\r\n \"restoreTimestampInUtc\": \"2021-04-15T02:33:24.2017963Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/backup-restore/providers/Microsoft.DocumentDB/databaseAccounts/stage-validation-source-r1-r1\",\r\n \"name\": \"stage-validation-source-r1-r1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"restoredSourceDatabaseAccountName\": \"stage-validation-source,stage-validation-source-r1\",\r\n \"restoredAtTimestamp\": \"4/14/2021 6:24:38 PM,4/15/2021 2:55:52 AM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-15T03:04:16.3322126Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r1-r1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"0562f411-1d0f-4216-bd2c-df536ea36187\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stage-validation-source-r1-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r1-r1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stage-validation-source-r1-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r1-r1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stage-validation-source-r1-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r1-r1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stage-validation-source-r1-r1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations//restorableDatabaseAccounts/8b53dc96-dda3-4b43-b682-0cbec089e5e9\",\r\n \"restoreTimestampInUtc\": \"2021-04-15T02:30:00Z\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/backup-restore/providers/Microsoft.DocumentDB/databaseAccounts/stage-validation-source-r44-r2\",\r\n \"name\": \"stage-validation-source-r44-r2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"restoredSourceDatabaseAccountName\": \"stage-validation-source,stage-validation-source-r44\",\r\n \"restoredAtTimestamp\": \"4/14/2021 6:24:38 PM,4/15/2021 2:56:14 AM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-15T03:04:14.0459422Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r44-r2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"368cd767-96e6-4092-9e2c-f550703824de\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stage-validation-source-r44-r2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r44-r2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stage-validation-source-r44-r2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r44-r2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stage-validation-source-r44-r2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r44-r2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stage-validation-source-r44-r2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations//restorableDatabaseAccounts/0a330a35-66f6-412b-bc7d-5fb09028d7c6\",\r\n \"restoreTimestampInUtc\": \"2021-04-14T21:57:20Z\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/backup-restore/providers/Microsoft.DocumentDB/databaseAccounts/stage-validation-source-r44-r3\",\r\n \"name\": \"stage-validation-source-r44-r3\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"restoredSourceDatabaseAccountName\": \"stage-validation-source,stage-validation-source-r44\",\r\n \"restoredAtTimestamp\": \"4/14/2021 6:24:38 PM,4/15/2021 3:31:38 AM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-15T03:39:36.2620695Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r44-r3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"981d4867-855d-4384-b333-4a76a2e1be79\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"stage-validation-source-r44-r3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r44-r3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"stage-validation-source-r44-r3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r44-r3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"stage-validation-source-r44-r3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://stage-validation-source-r44-r3-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"stage-validation-source-r44-r3-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations//restorableDatabaseAccounts/0a330a35-66f6-412b-bc7d-5fb09028d7c6\",\r\n \"restoreTimestampInUtc\": \"2021-04-14T21:57:20Z\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-as-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/pitr-as-stage-validation-source\",\r\n \"name\": \"pitr-as-stage-validation-source\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-16T17:45:40.5722792Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-as-stage-validation-source.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"f297a3ff-0d28-4b55-9886-aab70c231eb9\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-as-stage-validation-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-as-stage-validation-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-as-stage-validation-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-as-stage-validation-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-as-stage-validation-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-as-stage-validation-source-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-as-stage-validation-source-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/pitr-as-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/pitr-as-stage-validation-source-r0416\",\r\n \"name\": \"pitr-as-stage-validation-source-r0416\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-16T18:24:14.8974132Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pitr-as-stage-validation-source-r0416.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d7f028d4-f830-42e1-b048-1f1bb9b4f8b1\",\r\n \"createMode\": \"Restore\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pitr-as-stage-validation-source-r0416-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-as-stage-validation-source-r0416-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pitr-as-stage-validation-source-r0416-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-as-stage-validation-source-r0416-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pitr-as-stage-validation-source-r0416-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://pitr-as-stage-validation-source-r0416-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pitr-as-stage-validation-source-r0416-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Continuous\"\r\n },\r\n \"restoreParameters\": {\r\n \"restoreMode\": \"PointInTime\",\r\n \"restoreSource\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/restorableDatabaseAccounts/f297a3ff-0d28-4b55-9886-aab70c231eb9\",\r\n \"restoreTimestampInUtc\": \"2021-04-16T18:00:00Z\",\r\n \"databasesToRestore\": []\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/masi_rg/providers/Microsoft.DocumentDB/databaseAccounts/masi-signoff0321\",\r\n \"name\": \"masi-signoff0321\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-16T19:50:48.1133519Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://masi-signoff0321.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"0240aa6b-7f81-4eae-930c-5f679c62aa5c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"masi-signoff0321-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://masi-signoff0321-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"masi-signoff0321-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://masi-signoff0321-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"masi-signoff0321-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://masi-signoff0321-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"masi-signoff0321-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/artrejo/providers/Microsoft.DocumentDB/databaseAccounts/20210419-sql\",\r\n \"name\": \"20210419-sql\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-19T18:20:37.7815072Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://20210419-sql.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"f4b91bdc-5573-4b84-9fc3-31f3e8d8aa11\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Strong\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"20210419-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://20210419-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"20210419-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://20210419-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"20210419-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://20210419-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"20210419-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/craigmci/providers/Microsoft.DocumentDB/databaseAccounts/craigmci-kafkaconnect\",\r\n \"name\": \"craigmci-kafkaconnect\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-20T14:11:00.1030608Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://craigmci-kafkaconnect.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://craigmci-kafkaconnect.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"74396831-a0d5-4b44-b0bf-c1b2c3580551\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"craigmci-kafkaconnect-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://craigmci-kafkaconnect-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"craigmci-kafkaconnect-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://craigmci-kafkaconnect-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"craigmci-kafkaconnect-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://craigmci-kafkaconnect-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"craigmci-kafkaconnect-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/artrejo/providers/Microsoft.DocumentDB/databaseAccounts/20210420-mongo\",\r\n \"name\": \"20210420-mongo\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-20T17:22:30.8156974Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://20210420-mongo.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a9d3391d-9772-4a20-a441-d8df8f552800\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"20210420-mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://20210420-mongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"20210420-mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://20210420-mongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"20210420-mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://20210420-mongo-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"20210420-mongo-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/artrejo/providers/Microsoft.DocumentDB/databaseAccounts/20210420-cassandra\",\r\n \"name\": \"20210420-cassandra\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-20T17:23:47.829748Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://20210420-cassandra.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://20210420-cassandra.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"034b59a2-aa7b-4d4f-99b0-acc26c4e1751\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"20210420-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://20210420-cassandra-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"20210420-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://20210420-cassandra-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"20210420-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://20210420-cassandra-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"20210420-cassandra-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/samahanarg/providers/Microsoft.DocumentDB/databaseAccounts/samahanasqltest1\",\r\n \"name\": \"samahanasqltest1\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-23T21:35:24.2799601Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://samahanasqltest1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"3bf3600a-f65c-4e8b-9047-18c0e4db7a1d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"samahanasqltest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://samahanasqltest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"samahanasqltest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://samahanasqltest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"samahanasqltest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://samahanasqltest1-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"samahanasqltest1-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/srpalive-cassandra-rg/providers/Microsoft.DocumentDB/databaseAccounts/srpalive-stage-cassandra2\",\r\n \"name\": \"srpalive-stage-cassandra2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-23T23:37:14.5487129Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://srpalive-stage-cassandra2.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://srpalive-stage-cassandra2.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c19e8126-654b-46e3-832a-832d8eca0465\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"srpalive-stage-cassandra2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://srpalive-stage-cassandra2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"srpalive-stage-cassandra2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://srpalive-stage-cassandra2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"srpalive-stage-cassandra2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://srpalive-stage-cassandra2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"srpalive-stage-cassandra2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394/providers/Microsoft.DocumentDB/databaseAccounts/accountname9088\",\r\n \"name\": \"accountname9088\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"key3\": \"value3\",\r\n \"key4\": \"value4\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-27T17:25:41.0988424Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://accountname9088.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://accountname9088.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": true,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c3f52ca9-535e-46c4-85d4-8b8c6a46d967\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"AzureServices\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname9088-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname9088-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname9088-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": [\r\n \"/subscriptions/subId/resourcegroups/rgName/providers/Microsoft.Synapse/workspaces/workspaceName\",\r\n \"/subscriptions/subId/resourcegroups/rgName/providers/Microsoft.Synapse/workspaces/workspaceName2\"\r\n ]\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cph-stage-eastus2-rg/providers/Microsoft.DocumentDB/databaseAccounts/cph-stage-eastus2\",\r\n \"name\": \"cph-stage-eastus2\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-27T17:33:55.0660227Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"48044c82-d102-494c-bf04-214eb00e9adf\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"cph-stage-eastus2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Deleting\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"cph-stage-eastus2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Deleting\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"cph-stage-eastus2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cph-stage-eastus2-rg/providers/Microsoft.DocumentDB/databaseAccounts/cph-stage-eastus2-sql\",\r\n \"name\": \"cph-stage-eastus2-sql\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-27T17:33:51.3629073Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-sql.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"ccb99521-6326-44b6-ba7f-d97fd8308500\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-sql-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-sql-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cph-stage-eastus2-rg/providers/Microsoft.DocumentDB/databaseAccounts/cph-stage-eastus2-mgo36\",\r\n \"name\": \"cph-stage-eastus2-mgo36\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-27T17:34:27.1777552Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-mgo36.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://cph-stage-eastus2-mgo36.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a638ac91-3ead-4e70-92f8-7ff5712dcd74\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-mgo36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-mgo36-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-mgo36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-mgo36-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-mgo36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-mgo36-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-mgo36-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cph-stage-eastus2-rg/providers/Microsoft.DocumentDB/databaseAccounts/cph-stage-eastus2-mgo32\",\r\n \"name\": \"cph-stage-eastus2-mgo32\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-27T17:33:57.4744345Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-mgo32.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"140e3b01-687e-4ef0-a871-7785a358a3c8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-mgo32-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-mgo32-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-mgo32-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-mgo32-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-mgo32-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-mgo32-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-mgo32-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cph-stage-eastus2-rg/providers/Microsoft.DocumentDB/databaseAccounts/cph-stage-eastus2-gln\",\r\n \"name\": \"cph-stage-eastus2-gln\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-27T17:34:21.1682207Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-gln.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://cph-stage-eastus2-gln.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"4b4d194d-3eaf-4c45-aae9-4890f90ab0c4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-gln-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-gln-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-gln-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-gln-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-gln-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-gln-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-gln-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cph-stage-eastus2-rg/providers/Microsoft.DocumentDB/databaseAccounts/cph-stage-eastus2-cx\",\r\n \"name\": \"cph-stage-eastus2-cx\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-27T17:34:25.8852635Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-cx.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cph-stage-eastus2-cx.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"3281f91a-2e59-4fb4-81ca-9487b5e33f55\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-cx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-cx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-cx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-cx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-cx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-cx-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-cx-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cph-stage-eastus2-rg/providers/Microsoft.DocumentDB/databaseAccounts/cph-stage-eastus2-tbl\",\r\n \"name\": \"cph-stage-eastus2-tbl\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-27T17:34:30.5884147Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-tbl.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://cph-stage-eastus2-tbl.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"736b628d-c74b-42c2-af7f-daf4431a5531\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-tbl-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-tbl-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-tbl-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-tbl-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-tbl-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-eastus2-tbl-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cph-stage-eastus2-tbl-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cassandra-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/cassandrastagesignoff-sea\",\r\n \"name\": \"cassandrastagesignoff-sea\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-01T17:58:49.1912309Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cassandrastagesignoff-sea.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cassandrastagesignoff-sea.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"f414f7a1-0a00-4e90-8f47-38d2a9dca706\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cassandrastagesignoff-sea-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cassandrastagesignoff-sea-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cassandrastagesignoff-sea-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cassandrastagesignoff-sea-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cassandrastagesignoff-sea-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cassandrastagesignoff-sea-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cassandrastagesignoff-sea-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ash/providers/Microsoft.DocumentDB/databaseAccounts/ash-gremlin1-nb\",\r\n \"name\": \"ash-gremlin1-nb\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-09-25T23:59:54.3197186Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ash-gremlin1-nb.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://ash-gremlin1-nb.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"25bcf201-a6c5-4a2e-a05f-174e0be70e39\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ash-gremlin1-nb-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ash-gremlin1-nb-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ash-gremlin1-nb-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ash-gremlin1-nb-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ash-gremlin1-nb-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ash-gremlin1-nb-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ash-gremlin1-nb-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n },\r\n {\r\n \"name\": \"EnableNotebooks\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ankisrgsea/providers/Microsoft.DocumentDB/databaseAccounts/ankis-cosmos-sea\",\r\n \"name\": \"ankis-cosmos-sea\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-01-30T11:18:31.8357791Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://ankis-cosmos-sea.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"e56e34b2-cd4a-4339-a7a3-b58168fa01ee\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"ankis-cosmos-sea-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ankis-cosmos-sea-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ankis-cosmos-sea-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ankis-cosmos-sea-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"ankis-cosmos-sea-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ankis-cosmos-sea-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ankis-cosmos-sea-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ankis-cosmos-sea-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"ankis-cosmos-sea-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://ankis-cosmos-sea-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"ankis-cosmos-sea-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://ankis-cosmos-sea-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"ankis-cosmos-sea-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"ankis-cosmos-sea-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-stagesoutheastasia1cm1\",\r\n \"name\": \"canary-stagesoutheastasia1cm1\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-12T22:41:30.4176647Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-stagesoutheastasia1cm1.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://canary-stagesoutheastasia1cm1.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"646e3e7d-f2c7-4656-83bd-52969dae6294\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-stagesoutheastasia1cm1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://canary-stagesoutheastasia1cm1-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-stagesoutheastasia1cm1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://canary-stagesoutheastasia1cm1-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-stagesoutheastasia1cm1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://canary-stagesoutheastasia1cm1-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-stagesoutheastasia1cm1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/babatsai-rg-signoff/providers/Microsoft.DocumentDB/databaseAccounts/cass-stage-test\",\r\n \"name\": \"cass-stage-test\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Cassandra\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-04T00:05:39.9258705Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cass-stage-test.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cass-stage-test.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a4e87698-1313-46ca-80bd-a1779e626e00\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cass-stage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cass-stage-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cass-stage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cass-stage-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cass-stage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cass-stage-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cass-stage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/devenj-rg-sea/providers/Microsoft.DocumentDB/databaseAccounts/devenjtestmigrate2\",\r\n \"name\": \"devenjtestmigrate2\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2018-12-04T19:44:10.547179Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://devenjtestmigrate2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"6216b5fa-0a6f-4408-8788-f472c1cd9778\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"devenjtestmigrate2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://devenjtestmigrate2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"devenjtestmigrate2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://devenjtestmigrate2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"devenjtestmigrate2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://devenjtestmigrate2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"devenjtestmigrate2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/collectiontest\",\r\n \"name\": \"collectiontest\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-12-21T02:49:36.6550005Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://collectiontest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"176a9124-1378-4828-9291-b1e21bd79736\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"collectiontest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://collectiontest-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"collectiontest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://collectiontest-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"collectiontest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://collectiontest-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"collectiontest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-stage-cli\",\r\n \"name\": \"gremlin-stage-cli\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-06-06T23:46:54.9893772Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-stage-cli.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-stage-cli.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"41f63eae-7a21-442c-8edb-d74398f087e8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-stage-cli-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://gremlin-stage-cli-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-stage-cli-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://gremlin-stage-cli-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-stage-cli-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://gremlin-stage-cli-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-stage-cli-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/gremlin/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-stage\",\r\n \"name\": \"gremlin-stage\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-06-06T22:47:26.669989Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-stage.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-stage.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"a3f63ba1-94b2-4ddb-b49c-2cc457a7adf5\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://gremlin-stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://gremlin-stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://gremlin-stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/arkhetar-staging/providers/Microsoft.DocumentDB/databaseAccounts/arkhetar-operation-log-test\",\r\n \"name\": \"arkhetar-operation-log-test\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-01-10T20:52:05.6104687Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://arkhetar-operation-log-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"216716d2-7f59-4f8b-be8d-f242703cfdb8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"arkhetar-operation-log-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://arkhetar-operation-log-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"arkhetar-operation-log-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://arkhetar-operation-log-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"arkhetar-operation-log-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://arkhetar-operation-log-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"arkhetar-operation-log-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/babatsai-rg-signoff/providers/Microsoft.DocumentDB/databaseAccounts/mongo-stage-test\",\r\n \"name\": \"mongo-stage-test\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-04T00:05:37.7510335Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo-stage-test.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"b1e06879-5f95-47c5-bf21-29d62e080c5a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo-stage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-stage-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo-stage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-stage-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo-stage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-stage-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo-stage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/shtan-stage-signoff/providers/Microsoft.DocumentDB/databaseAccounts/restored-shtan-stage\",\r\n \"name\": \"restored-shtan-stage\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\",\r\n \"restoredSourceDatabaseAccountName\": \"shtan-stage\",\r\n \"restoredAtTimestamp\": \"10/30/2019 5:29:18 PM\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-10-30T17:47:49.8052668Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://restored-shtan-stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"cff6e11d-6879-4530-bb43-ececf73b1499\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"restored-shtan-stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://restored-shtan-stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"restored-shtan-stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://restored-shtan-stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"restored-shtan-stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://restored-shtan-stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"restored-shtan-stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai-test/providers/Microsoft.DocumentDB/databaseAccounts/test-mongo-vir\",\r\n \"name\": \"test-mongo-vir\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-26T21:17:16.5969022Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-mongo-vir.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"abec24f9-4e6a-45d4-8bbe-fefe85aea77d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-mongo-vir-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://test-mongo-vir-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-mongo-vir-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://test-mongo-vir-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-mongo-vir-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://test-mongo-vir-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-mongo-vir-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"104.42.195.92\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"40.76.54.131\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.176.6.30\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.169.50.45\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.187.184.26\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/virangai-test/providers/Microsoft.DocumentDB/databaseAccounts/test-virangai-mongo\",\r\n \"name\": \"test-virangai-mongo\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-26T19:50:46.97713Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://test-virangai-mongo.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://test-virangai-mongo.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"54db8f31-155f-461e-a007-4a87ff5c4165\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"test-virangai-mongo-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://test-virangai-mongo-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"test-virangai-mongo-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test-virangai-mongo-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"test-virangai-mongo-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://test-virangai-mongo-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"test-virangai-mongo-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test-virangai-mongo-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"test-virangai-mongo-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://test-virangai-mongo-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"test-virangai-mongo-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://test-virangai-mongo-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"test-virangai-mongo-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"test-virangai-mongo-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/test/providers/Microsoft.DocumentDB/databaseAccounts/testps1stage\",\r\n \"name\": \"testps1stage\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"DocumentDB\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2018-08-22T20:38:40.0420574Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testps1stage.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"72684018-71c7-435e-b4d6-eedb27097b8c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testps1stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testps1stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testps1stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testps1stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testps1stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testps1stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testps1stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testps1stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"testps1stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://testps1stage-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testps1stage-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"testps1stage-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/testrupergbchange\",\r\n \"name\": \"testrupergbchange\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-02-04T21:47:25.8300419Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testrupergbchange.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"aeb09751-074e-4ac0-a763-513f0b5ddd5f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testrupergbchange-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testrupergbchange-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testrupergbchange-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testrupergbchange-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testrupergbchange-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testrupergbchange-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testrupergbchange-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/testsnapshotacrossisolation\",\r\n \"name\": \"testsnapshotacrossisolation\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-02-07T05:12:12.3503504Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testsnapshotacrossisolation.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"15e797c4-efb5-4fc4-b7d3-67e0eb8cc98a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testsnapshotacrossisolation-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testsnapshotacrossisolation-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testsnapshotacrossisolation-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testsnapshotacrossisolation-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testsnapshotacrossisolation-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testsnapshotacrossisolation-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testsnapshotacrossisolation-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/todeletestageaccount\",\r\n \"name\": \"todeletestageaccount\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-02-16T01:08:17.9789915Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://todeletestageaccount.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c761b4d0-3564-4436-856c-3565caba9250\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"todeletestageaccount-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://todeletestageaccount-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"todeletestageaccount-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://todeletestageaccount-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"todeletestageaccount-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://todeletestageaccount-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"todeletestageaccount-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/babatsai-rg-signoff/providers/Microsoft.DocumentDB/databaseAccounts/gremlin-stage-test\",\r\n \"name\": \"gremlin-stage-test\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Gremlin (graph)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-04T00:03:36.6216702Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://gremlin-stage-test.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://gremlin-stage-test.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"e91f4e41-cc91-40dc-a28e-40a43daf061b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"gremlin-stage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://gremlin-stage-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"gremlin-stage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://gremlin-stage-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"gremlin-stage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://gremlin-stage-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"gremlin-stage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/arkhetar-staging/providers/Microsoft.DocumentDB/databaseAccounts/arkhetar-operation-log-v2\",\r\n \"name\": \"arkhetar-operation-log-v2\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-01-11T03:26:07.898302Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://arkhetar-operation-log-v2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"92370172-7225-4cca-b8c4-0649071b150d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"arkhetar-operation-log-v2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://arkhetar-operation-log-v2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"arkhetar-operation-log-v2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://arkhetar-operation-log-v2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"arkhetar-operation-log-v2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://arkhetar-operation-log-v2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"arkhetar-operation-log-v2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/mongostagesignoff10\",\r\n \"name\": \"mongostagesignoff10\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-26T21:15:49.1409234Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongostagesignoff10.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongostagesignoff10.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"8d294fdb-23d3-406d-8f89-43fef80850e0\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongostagesignoff10-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongostagesignoff10-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongostagesignoff10-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongostagesignoff10-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongostagesignoff10-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongostagesignoff10-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongostagesignoff10-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongostagesignoff10-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongostagesignoff10-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongostagesignoff10-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"mongostagesignoff10-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"documentEndpoint\": \"https://mongostagesignoff10-northcentralus.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongostagesignoff10-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"mongostagesignoff10-northcentralus\",\r\n \"locationName\": \"North Central US\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sanayak-test/providers/Microsoft.DocumentDB/databaseAccounts/synapsetest\",\r\n \"name\": \"synapsetest\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-11-07T06:30:14.5936506Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://synapsetest.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": true,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"56f736d8-a386-43cf-83ba-726caa749422\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"synapsetest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://synapsetest-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"synapsetest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://synapsetest-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"synapsetest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://synapsetest-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"synapsetest-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/testrupergbnewchanges\",\r\n \"name\": \"testrupergbnewchanges\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-02-05T00:14:11.884366Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testrupergbnewchanges.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"5ad586e0-7aa5-4c6f-afae-a9676b19ba58\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testrupergbnewchanges-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testrupergbnewchanges-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testrupergbnewchanges-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testrupergbnewchanges-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testrupergbnewchanges-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testrupergbnewchanges-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testrupergbnewchanges-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/mongostagesignoff6\",\r\n \"name\": \"mongostagesignoff6\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-26T18:02:08.3103789Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongostagesignoff6.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongostagesignoff6.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"f0798ce6-45be-41fe-8fcc-1f4f02e26ec4\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongostagesignoff6-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongostagesignoff6-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongostagesignoff6-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongostagesignoff6-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongostagesignoff6-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongostagesignoff6-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongostagesignoff6-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"104.42.195.92\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"40.76.54.131\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.176.6.30\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.169.50.45\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.187.184.26\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/sanayak-test/providers/Microsoft.DocumentDB/databaseAccounts/synapsetest2\",\r\n \"name\": \"synapsetest2\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2019-11-12T11:28:24.2523803Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://synapsetest2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"1f06202e-7069-4eec-b1e9-59e133121ccf\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"synapsetest2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://synapsetest2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"synapsetest2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://synapsetest2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"synapsetest2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://synapsetest2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"synapsetest2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableStorageAnalytics\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/abinav_stage_rg/providers/Microsoft.DocumentDB/databaseAccounts/testrupergbnewchanges3\",\r\n \"name\": \"testrupergbnewchanges3\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-02-05T05:44:27.7389572Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://testrupergbnewchanges3.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"8d5f7daa-9eff-499a-be92-6fc12668f40c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"testrupergbnewchanges3-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testrupergbnewchanges3-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"testrupergbnewchanges3-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testrupergbnewchanges3-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"testrupergbnewchanges3-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://testrupergbnewchanges3-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"testrupergbnewchanges3-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/jasontho/providers/Microsoft.DocumentDB/databaseAccounts/mongostagesignoff9\",\r\n \"name\": \"mongostagesignoff9\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2020-06-26T20:34:41.6072311Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongostagesignoff9.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongostagesignoff9.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"6eb158ff-8c80-433e-b1e0-0a6425f2cd4a\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongostagesignoff9-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongostagesignoff9-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongostagesignoff9-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongostagesignoff9-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongostagesignoff9-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongostagesignoff9-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongostagesignoff9-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"104.42.195.92\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"40.76.54.131\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.176.6.30\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.169.50.45\"\r\n },\r\n {\r\n \"ipAddressOrRange\": \"52.187.184.26\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 60,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/babatsai-rg-signoff/providers/Microsoft.DocumentDB/databaseAccounts/table-stage-signoff\",\r\n \"name\": \"table-stage-signoff\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Table\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2019-07-04T00:07:39.5017435Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://table-stage-signoff.documents-staging.windows-ppe.net:443/\",\r\n \"tableEndpoint\": \"https://table-stage-signoff.table.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Table, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"fd8515df-67f5-4748-b951-c10606f2823d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"BoundedStaleness\",\r\n \"maxIntervalInSeconds\": 86400,\r\n \"maxStalenessPrefix\": 1000000\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"table-stage-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://table-stage-signoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"table-stage-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://table-stage-signoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"table-stage-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://table-stage-signoff-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"table-stage-signoff-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableTable\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CANARY/providers/Microsoft.DocumentDB/databaseAccounts/canary-staging1\",\r\n \"name\": \"canary-staging1\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"DocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2020-10-16T21:38:27.5972509Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://canary-staging1.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"155de475-9b6d-4553-91e0-47203504dc22\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"canary-staging1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://canary-staging1-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"canary-staging1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://canary-staging1-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"canary-staging1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://canary-staging1-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"canary-staging1-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwsing-rg/providers/Microsoft.DocumentDB/databaseAccounts/mongo-acis-test4\",\r\n \"name\": \"mongo-acis-test4\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-22T03:18:28.6833509Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo-acis-test4.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongo-acis-test4.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"7a2285d2-e2d5-45a0-8daa-de1e71153c1f\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"4.0\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo-acis-test4-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-acis-test4-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo-acis-test4-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-acis-test4-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo-acis-test4-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-acis-test4-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo-acis-test4-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwini-rg/providers/Microsoft.DocumentDB/databaseAccounts/mongo-acis-test5\",\r\n \"name\": \"mongo-acis-test5\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-22T04:01:38.5811379Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo-acis-test5.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://mongo-acis-test5.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c23aa4da-a098-4aa0-9136-f2cb30175840\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo-acis-test5-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-acis-test5-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo-acis-test5-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-acis-test5-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo-acis-test5-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-acis-test5-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo-acis-test5-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n },\r\n {\r\n \"name\": \"DisableRateLimitingResponses\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/ashwsing-rg/providers/Microsoft.DocumentDB/databaseAccounts/mongo-acis-test6\",\r\n \"name\": \"mongo-acis-test6\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Azure Cosmos DB for MongoDB API\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-02-22T04:25:11.5767367Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://mongo-acis-test6.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"40c9c14c-81f4-4d92-b7aa-f8e1e90291eb\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"defaultIdentity\": \"\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"mongo-acis-test6-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-acis-test6-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"mongo-acis-test6-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-acis-test6-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"mongo-acis-test6-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://mongo-acis-test6-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"mongo-acis-test6-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/akgoe-test-rg/providers/Microsoft.DocumentDB/databaseAccounts/akgoe-aad-outage-test\",\r\n \"name\": \"akgoe-aad-outage-test\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-16T01:06:39.8208278Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://akgoe-aad-outage-test.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://akgoe-aad-outage-test.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"18cdabc9-e133-4976-8966-e6e650845b1b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"akgoe-aad-outage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://akgoe-aad-outage-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"akgoe-aad-outage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://akgoe-aad-outage-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"akgoe-aad-outage-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://akgoe-aad-outage-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"akgoe-aad-outage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://akgoe-aad-outage-test-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"akgoe-aad-outage-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://akgoe-aad-outage-test-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"akgoe-aad-outage-test-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"akgoe-aad-outage-test-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/akgoe-stage-test-rg/providers/Microsoft.DocumentDB/databaseAccounts/serverless-7nsb66ggfyxg4\",\r\n \"name\": \"serverless-7nsb66ggfyxg4\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-17T08:14:58.9901007Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://serverless-7nsb66ggfyxg4.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d387fcc7-e8fe-45d0-8370-ef86c3d1a052\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Strong\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"serverless-7nsb66ggfyxg4-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://serverless-7nsb66ggfyxg4-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"serverless-7nsb66ggfyxg4-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://serverless-7nsb66ggfyxg4-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"serverless-7nsb66ggfyxg4-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://serverless-7nsb66ggfyxg4-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"serverless-7nsb66ggfyxg4-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableServerless\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/viho-rg-stage/providers/Microsoft.DocumentDB/databaseAccounts/vihosqllegacygateway\",\r\n \"name\": \"vihosqllegacygateway\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-17T18:53:49.6216166Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vihosqllegacygateway.documents-staging.windows-ppe.net:443/\",\r\n \"sqlEndpoint\": \"https://vihosqllegacygateway.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"cae53a5f-529c-4080-b877-4f722465ba37\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vihosqllegacygateway-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vihosqllegacygateway-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vihosqllegacygateway-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vihosqllegacygateway-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"vihosqllegacygateway-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://vihosqllegacygateway-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"vihosqllegacygateway-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vihosqllegacygateway-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vihosqllegacygateway-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://vihosqllegacygateway-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"vihosqllegacygateway-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://vihosqllegacygateway-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"vihosqllegacygateway-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vihosqllegacygateway-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 2,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vihosqllegacygateway-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"vihosqllegacygateway-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 1\r\n },\r\n {\r\n \"id\": \"vihosqllegacygateway-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 2\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSql\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/viho-rg-stage/providers/Microsoft.DocumentDB/databaseAccounts/vihosqllegacygateway2\",\r\n \"name\": \"vihosqllegacygateway2\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-18T01:20:13.6590586Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://vihosqllegacygateway2.documents-staging.windows-ppe.net:443/\",\r\n \"sqlEndpoint\": \"https://vihosqllegacygateway2.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"e7f0483b-dc86-4a7b-82bd-a29a15797e5c\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"vihosqllegacygateway2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://vihosqllegacygateway2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"vihosqllegacygateway2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vihosqllegacygateway2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"vihosqllegacygateway2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://vihosqllegacygateway2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"vihosqllegacygateway2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vihosqllegacygateway2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"vihosqllegacygateway2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://vihosqllegacygateway2-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"vihosqllegacygateway2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"documentEndpoint\": \"https://vihosqllegacygateway2-westus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"vihosqllegacygateway2-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"vihosqllegacygateway2-westus2\",\r\n \"locationName\": \"West US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableSql\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/hidhawal-pkstats/providers/Microsoft.DocumentDB/databaseAccounts/pkstats-elasticity\",\r\n \"name\": \"pkstats-elasticity\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {\r\n \"defaultExperience\": \"Core (SQL)\",\r\n \"hidden-cosmos-mmspecial\": \"\",\r\n \"CosmosAccountType\": \"Non-Production\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-01T23:45:28.2413987Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://pkstats-elasticity.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"9e7ca50d-fa69-4bb9-ab53-baae1085a6e8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"pkstats-elasticity-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://pkstats-elasticity-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"pkstats-elasticity-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://pkstats-elasticity-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"pkstats-elasticity-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://pkstats-elasticity-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"pkstats-elasticity-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cph-stage-southeastasia-rg/providers/Microsoft.DocumentDB/databaseAccounts/cph-stage-southeastasia-cx\",\r\n \"name\": \"cph-stage-southeastasia-cx\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-27T17:28:51.6553611Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-cx.documents-staging.windows-ppe.net:443/\",\r\n \"cassandraEndpoint\": \"https://cph-stage-southeastasia-cx.cassandra.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Cassandra\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"81855c26-e244-4274-8ebf-00f59d0ec9dc\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-cx-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-cx-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-cx-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-cx-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-cx-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-cx-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-cx-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableCassandra\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cph-stage-southeastasia-rg/providers/Microsoft.DocumentDB/databaseAccounts/cph-stage-southeastasia-mgo32\",\r\n \"name\": \"cph-stage-southeastasia-mgo32\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-27T17:28:11.7253011Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-mgo32.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"9d5772bd-8334-4a4d-af7f-acdcdb55892d\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.2\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-mgo32-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-mgo32-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-mgo32-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-mgo32-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-mgo32-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-mgo32-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-mgo32-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cph-stage-southeastasia-rg/providers/Microsoft.DocumentDB/databaseAccounts/cph-stage-southeastasia-sql\",\r\n \"name\": \"cph-stage-southeastasia-sql\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-27T17:28:21.0073918Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-sql.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c4a567a6-b24c-4480-98b7-27a8b5746ed8\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-sql-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-sql-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-sql-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-sql-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-sql-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-sql-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-sql-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cph-stage-southeastasia-rg/providers/Microsoft.DocumentDB/databaseAccounts/cph-stage-southeastasia\",\r\n \"name\": \"cph-stage-southeastasia\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-27T17:28:31.3048546Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"61a9b97e-8bb2-45df-aade-7c56b7293fcd\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"cph-stage-southeastasia-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Deleting\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n },\r\n {\r\n \"id\": \"cph-stage-southeastasia-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Deleting\",\r\n \"failoverPriority\": 1,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n },\r\n {\r\n \"id\": \"cph-stage-southeastasia-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 1\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/cph-stage-southeastasia-rg/providers/Microsoft.DocumentDB/databaseAccounts/cph-stage-southeastasia-gln\",\r\n \"name\": \"cph-stage-southeastasia-gln\",\r\n \"location\": \"Southeast Asia\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"GlobalDocumentDB\",\r\n \"tags\": {},\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-27T17:29:26.8546415Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-gln.documents-staging.windows-ppe.net:443/\",\r\n \"gremlinEndpoint\": \"https://cph-stage-southeastasia-gln.gremlin.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": false,\r\n \"enableMultipleWriteLocations\": false,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"Gremlin, Sql\",\r\n \"disableKeyBasedMetadataWriteAccess\": false,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"d79cffde-f2cb-4536-b48e-d1019859ff93\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": false,\r\n \"connectorOffer\": \"\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"configurationOverrides\": {},\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-gln-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-gln-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-gln-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-gln-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-gln-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"documentEndpoint\": \"https://cph-stage-southeastasia-gln-southeastasia.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"cph-stage-southeastasia-gln-southeastasia\",\r\n \"locationName\": \"Southeast Asia\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableGremlin\"\r\n }\r\n ],\r\n \"ipRules\": [],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n }\r\n ]\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDMwMjUvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHM/YXBpLXZlcnNpb249MjAyMS0wMy0wMS1wcmV2aWV3", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394/providers/Microsoft.DocumentDB/databaseAccounts?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDYzOTQvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHM/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "0357eb35-208c-46cf-a301-ffa532df9428" + "c78274a6-8971-46d8-a083-f470cdd47dd4" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -2156,50 +2954,50 @@ "Microsoft-HTTPAPI/2.0" ], "x-ms-ratelimit-remaining-subscription-reads": [ - "11967" + "11952" ], "x-ms-request-id": [ - "d2789a26-61fd-4072-9013-f6f258215650" + "5706bcde-9159-4812-9a48-17841dad405d" ], "x-ms-correlation-request-id": [ - "d2789a26-61fd-4072-9013-f6f258215650" + "5706bcde-9159-4812-9a48-17841dad405d" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180618Z:d2789a26-61fd-4072-9013-f6f258215650" + "WESTCENTRALUS:20210427T173824Z:5706bcde-9159-4812-9a48-17841dad405d" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:06:18 GMT" + "Tue, 27 Apr 2021 17:38:23 GMT" ], "Content-Length": [ - "2547" + "2822" ], "Content-Type": [ "application/json" ] }, - "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts/accountname4367\",\r\n \"name\": \"accountname4367\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"key3\": \"value3\",\r\n \"key4\": \"value4\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-03-03T18:00:29.6464864Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://accountname4367.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://accountname4367.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": true,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"instanceId\": \"8eb7f020-b6ed-4c22-a9de-f547f626719b\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"None\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname4367-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname4367-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname4367-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"accountname4367-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": []\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n }\r\n ]\r\n}", + "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394/providers/Microsoft.DocumentDB/databaseAccounts/accountname9088\",\r\n \"name\": \"accountname9088\",\r\n \"location\": \"East US 2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts\",\r\n \"kind\": \"MongoDB\",\r\n \"tags\": {\r\n \"key3\": \"value3\",\r\n \"key4\": \"value4\"\r\n },\r\n \"systemData\": {\r\n \"createdAt\": \"2021-04-27T17:25:41.0988424Z\"\r\n },\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"documentEndpoint\": \"https://accountname9088.documents-staging.windows-ppe.net:443/\",\r\n \"mongoEndpoint\": \"https://accountname9088.mongo.cosmos.windows-ppe.net:443/\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"enableAutomaticFailover\": true,\r\n \"enableMultipleWriteLocations\": true,\r\n \"enablePartitionKeyMonitor\": false,\r\n \"isVirtualNetworkFilterEnabled\": false,\r\n \"virtualNetworkRules\": [],\r\n \"EnabledApiTypes\": \"MongoDB\",\r\n \"disableKeyBasedMetadataWriteAccess\": true,\r\n \"enableFreeTier\": false,\r\n \"enableAnalyticalStorage\": false,\r\n \"analyticalStorageConfiguration\": null,\r\n \"instanceId\": \"c3f52ca9-535e-46c4-85d4-8b8c6a46d967\",\r\n \"createMode\": \"Default\",\r\n \"databaseAccountOfferType\": \"Standard\",\r\n \"enableCassandraConnector\": true,\r\n \"connectorOffer\": \"Small\",\r\n \"enableMaterializedViews\": false,\r\n \"enableFullFidelityChangeFeed\": false,\r\n \"defaultIdentity\": \"FirstPartyIdentity\",\r\n \"networkAclBypass\": \"AzureServices\",\r\n \"consistencyPolicy\": {\r\n \"defaultConsistencyLevel\": \"Session\",\r\n \"maxIntervalInSeconds\": 5,\r\n \"maxStalenessPrefix\": 100\r\n },\r\n \"apiProperties\": {\r\n \"serverVersion\": \"3.6\"\r\n },\r\n \"configurationOverrides\": {\r\n \"EnableBsonSchema\": \"True\"\r\n },\r\n \"writeLocations\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname9088-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"readLocations\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname9088-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"locations\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"documentEndpoint\": \"https://accountname9088-eastus2.documents-staging.windows-ppe.net:443/\",\r\n \"provisioningState\": \"Succeeded\",\r\n \"failoverPriority\": 0,\r\n \"isZoneRedundant\": false\r\n }\r\n ],\r\n \"failoverPolicies\": [\r\n {\r\n \"id\": \"accountname9088-eastus2\",\r\n \"locationName\": \"East US 2\",\r\n \"failoverPriority\": 0\r\n }\r\n ],\r\n \"cors\": [],\r\n \"capabilities\": [\r\n {\r\n \"name\": \"EnableMongo\"\r\n }\r\n ],\r\n \"ipRules\": [\r\n {\r\n \"ipAddressOrRange\": \"23.43.230.120\"\r\n }\r\n ],\r\n \"backupPolicy\": {\r\n \"type\": \"Periodic\",\r\n \"periodicModeProperties\": {\r\n \"backupIntervalInMinutes\": 240,\r\n \"backupRetentionIntervalInHours\": 8,\r\n \"backupStorageRedundancy\": \"Geo\"\r\n }\r\n },\r\n \"networkAclBypassResourceIds\": [\r\n \"/subscriptions/subId/resourcegroups/rgName/providers/Microsoft.Synapse/workspaces/workspaceName\",\r\n \"/subscriptions/subId/resourcegroups/rgName/providers/Microsoft.Synapse/workspaces/workspaceName2\"\r\n ]\r\n },\r\n \"identity\": {\r\n \"type\": \"None\"\r\n }\r\n }\r\n ]\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts/accountname4367/listKeys?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDMwMjUvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU0MzY3L2xpc3RLZXlzP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394/providers/Microsoft.DocumentDB/databaseAccounts/accountname9088/listKeys?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDYzOTQvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU5MDg4L2xpc3RLZXlzP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "POST", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "29b9702a-274d-46da-b3ba-cd0b36003ad1" + "f93f9807-9035-48a3-b2c0-30e8e5d7fa2a" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -2222,19 +3020,19 @@ "1199" ], "x-ms-request-id": [ - "d6c42e93-68e8-4c3a-855d-33535ae912c2" + "a9c374c5-3149-4478-b434-34146f959469" ], "x-ms-correlation-request-id": [ - "d6c42e93-68e8-4c3a-855d-33535ae912c2" + "a9c374c5-3149-4478-b434-34146f959469" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180619Z:d6c42e93-68e8-4c3a-855d-33535ae912c2" + "WESTCENTRALUS:20210427T173825Z:a9c374c5-3149-4478-b434-34146f959469" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:06:18 GMT" + "Tue, 27 Apr 2021 17:38:24 GMT" ], "Content-Length": [ "719" @@ -2243,26 +3041,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"primaryMasterKey\": \"mG4FkdIJxSNkCv4hPB2T1nRKf0r31Gvh1f6LGCE58kHDVnEHSxluWu5nkUR0N1AkMI9m6h85wWks4YgEwcPmEw==\",\r\n \"secondaryMasterKey\": \"jcg53TS1XEP0xwxH6Sn730NsEo2fOJ9fexyXzW5rsBBPqJLofeboAEAZkheasUYhu5ol7nkdzD7WCu5ceRiLSA==\",\r\n \"primaryReadonlyMasterKey\": \"nzIjzjI9W462N7Af3Acm7BH3l3o0WJ20DD9aLQbu6E5lh6Ey0h4QFEOGViBEYRXbiW7oXFBxb1V1odv6NOWIuA==\",\r\n \"secondaryReadonlyMasterKey\": \"Hu7kwZMqf2hBslOYbjMWqT17NlCreu13HWF11IVC1HKMkx3ntqCzbcTWHPUB7bx6vDjPojcdgsOmHNxo8WEeMg==\",\r\n \"connectorMetadataAccountPrimaryKey\": \"7tLIKY6VUkd24qHJmqKUdVR7jPHTXakvOf33m7qe1oHMJlUAy0EexAusGNxu4IrfYkoXbwdNdgdNynrLxlL1fw==\",\r\n \"connectorMetadataAccountSecondaryKey\": \"H6szRGguIDRBddR0MGhaAxfZnWxNrgUtqqBrow8p39bmFQpqRG7JmKDGNjXY6kttmO7MXtz37KWatqTUKpTEtA==\"\r\n}", + "ResponseBody": "{\r\n \"primaryMasterKey\": \"cn8JnL6wyR77VxhVC7dX0YOhm01C2HEXeSUM1WMHBtjlDxpVEdOpCxTBnhVHIENcr5XKGGagXAfPgyFCO8Sepg==\",\r\n \"secondaryMasterKey\": \"hv9XLdkdyjIGGkMUAdwSObpNuj9i38jN7bDXuBcexBDujQX6hH2o8nPnGt0VTCCYB8r2XidZeCYHnY7uMtTHpw==\",\r\n \"primaryReadonlyMasterKey\": \"KBMoDHC8Wh2cDjl7cCFtc2TYY6E8ZVSUkgYBwbIcjjtyBalMpwmt30VHKzSdmQvK3F3pQxVAGpgNHvzV5e58zw==\",\r\n \"secondaryReadonlyMasterKey\": \"LONlmuOHYRIYGbdy44DNj6fywBxkPfcorIRXnfvP6xUelhiY3pvP2pijb7uOvlOoQwynuHnsGZAnutkTMJoDDA==\",\r\n \"connectorMetadataAccountPrimaryKey\": \"O4TYOgw5iIlEAGCPGgDYyby4LdsmZUNCw831WDyvVT90ErvonQnlDqwlEh3wLK8SrjEstT15ahYIuiSjltOuyA==\",\r\n \"connectorMetadataAccountSecondaryKey\": \"DhPltJbFttaHBnKcNowi15Cv72bvcXpIaH55p8SqoW1alCqg2AULLx5zXwYk5oHA61KDuao6LUq6oQXVBZCj3w==\"\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts/accountname4367/listKeys?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDMwMjUvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU0MzY3L2xpc3RLZXlzP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394/providers/Microsoft.DocumentDB/databaseAccounts/accountname9088/listKeys?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDYzOTQvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU5MDg4L2xpc3RLZXlzP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "POST", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "f59099a9-e488-413d-b55f-e6d564dd4e42" + "f9aaf61f-61fd-4f54-8fa9-a09ad8e3bd84" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -2285,19 +3083,19 @@ "1199" ], "x-ms-request-id": [ - "2f33c364-35fb-4664-ad4d-cba8f8f4c0a1" + "418e54bd-474b-4038-96e4-4a4370f065d9" ], "x-ms-correlation-request-id": [ - "2f33c364-35fb-4664-ad4d-cba8f8f4c0a1" + "418e54bd-474b-4038-96e4-4a4370f065d9" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180620Z:2f33c364-35fb-4664-ad4d-cba8f8f4c0a1" + "WESTUS:20210427T173832Z:418e54bd-474b-4038-96e4-4a4370f065d9" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:06:20 GMT" + "Tue, 27 Apr 2021 17:38:31 GMT" ], "Content-Length": [ "719" @@ -2306,26 +3104,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"primaryMasterKey\": \"mG4FkdIJxSNkCv4hPB2T1nRKf0r31Gvh1f6LGCE58kHDVnEHSxluWu5nkUR0N1AkMI9m6h85wWks4YgEwcPmEw==\",\r\n \"secondaryMasterKey\": \"jcg53TS1XEP0xwxH6Sn730NsEo2fOJ9fexyXzW5rsBBPqJLofeboAEAZkheasUYhu5ol7nkdzD7WCu5ceRiLSA==\",\r\n \"primaryReadonlyMasterKey\": \"nzIjzjI9W462N7Af3Acm7BH3l3o0WJ20DD9aLQbu6E5lh6Ey0h4QFEOGViBEYRXbiW7oXFBxb1V1odv6NOWIuA==\",\r\n \"secondaryReadonlyMasterKey\": \"Hu7kwZMqf2hBslOYbjMWqT17NlCreu13HWF11IVC1HKMkx3ntqCzbcTWHPUB7bx6vDjPojcdgsOmHNxo8WEeMg==\",\r\n \"connectorMetadataAccountPrimaryKey\": \"7tLIKY6VUkd24qHJmqKUdVR7jPHTXakvOf33m7qe1oHMJlUAy0EexAusGNxu4IrfYkoXbwdNdgdNynrLxlL1fw==\",\r\n \"connectorMetadataAccountSecondaryKey\": \"H6szRGguIDRBddR0MGhaAxfZnWxNrgUtqqBrow8p39bmFQpqRG7JmKDGNjXY6kttmO7MXtz37KWatqTUKpTEtA==\"\r\n}", + "ResponseBody": "{\r\n \"primaryMasterKey\": \"cn8JnL6wyR77VxhVC7dX0YOhm01C2HEXeSUM1WMHBtjlDxpVEdOpCxTBnhVHIENcr5XKGGagXAfPgyFCO8Sepg==\",\r\n \"secondaryMasterKey\": \"hv9XLdkdyjIGGkMUAdwSObpNuj9i38jN7bDXuBcexBDujQX6hH2o8nPnGt0VTCCYB8r2XidZeCYHnY7uMtTHpw==\",\r\n \"primaryReadonlyMasterKey\": \"KBMoDHC8Wh2cDjl7cCFtc2TYY6E8ZVSUkgYBwbIcjjtyBalMpwmt30VHKzSdmQvK3F3pQxVAGpgNHvzV5e58zw==\",\r\n \"secondaryReadonlyMasterKey\": \"LONlmuOHYRIYGbdy44DNj6fywBxkPfcorIRXnfvP6xUelhiY3pvP2pijb7uOvlOoQwynuHnsGZAnutkTMJoDDA==\",\r\n \"connectorMetadataAccountPrimaryKey\": \"O4TYOgw5iIlEAGCPGgDYyby4LdsmZUNCw831WDyvVT90ErvonQnlDqwlEh3wLK8SrjEstT15ahYIuiSjltOuyA==\",\r\n \"connectorMetadataAccountSecondaryKey\": \"DhPltJbFttaHBnKcNowi15Cv72bvcXpIaH55p8SqoW1alCqg2AULLx5zXwYk5oHA61KDuao6LUq6oQXVBZCj3w==\"\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts/accountname4367/listConnectionStrings?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDMwMjUvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU0MzY3L2xpc3RDb25uZWN0aW9uU3RyaW5ncz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394/providers/Microsoft.DocumentDB/databaseAccounts/accountname9088/listConnectionStrings?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDYzOTQvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU5MDg4L2xpc3RDb25uZWN0aW9uU3RyaW5ncz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "POST", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "5506135b-d57a-45eb-adea-3ce5a40bf267" + "1eb93336-41d6-492b-8534-d355f283c4d1" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -2348,19 +3146,19 @@ "1198" ], "x-ms-request-id": [ - "e519f8e2-b301-4513-88b0-7d8f311ea2a1" + "d099f608-942d-4497-8327-379a0cc95340" ], "x-ms-correlation-request-id": [ - "e519f8e2-b301-4513-88b0-7d8f311ea2a1" + "d099f608-942d-4497-8327-379a0cc95340" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180619Z:e519f8e2-b301-4513-88b0-7d8f311ea2a1" + "WESTCENTRALUS:20210427T173830Z:d099f608-942d-4497-8327-379a0cc95340" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:06:19 GMT" + "Tue, 27 Apr 2021 17:38:29 GMT" ], "Content-Length": [ "1383" @@ -2369,26 +3167,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"connectionStrings\": [\r\n {\r\n \"connectionString\": \"mongodb://accountname4367:mG4FkdIJxSNkCv4hPB2T1nRKf0r31Gvh1f6LGCE58kHDVnEHSxluWu5nkUR0N1AkMI9m6h85wWks4YgEwcPmEw==@accountname4367.mongo.cosmos.windows-ppe.net:10255/?ssl=true&replicaSet=globaldb&retrywrites=false&maxIdleTimeMS=120000&appName=@accountname4367@\",\r\n \"description\": \"Primary MongoDB Connection String\"\r\n },\r\n {\r\n \"connectionString\": \"mongodb://accountname4367:jcg53TS1XEP0xwxH6Sn730NsEo2fOJ9fexyXzW5rsBBPqJLofeboAEAZkheasUYhu5ol7nkdzD7WCu5ceRiLSA==@accountname4367.mongo.cosmos.windows-ppe.net:10255/?ssl=true&replicaSet=globaldb&retrywrites=false&maxIdleTimeMS=120000&appName=@accountname4367@\",\r\n \"description\": \"Secondary MongoDB Connection String\"\r\n },\r\n {\r\n \"connectionString\": \"mongodb://accountname4367:nzIjzjI9W462N7Af3Acm7BH3l3o0WJ20DD9aLQbu6E5lh6Ey0h4QFEOGViBEYRXbiW7oXFBxb1V1odv6NOWIuA==@accountname4367.mongo.cosmos.windows-ppe.net:10255/?ssl=true&replicaSet=globaldb&retrywrites=false&maxIdleTimeMS=120000&appName=@accountname4367@\",\r\n \"description\": \"Primary Read-Only MongoDB Connection String\"\r\n },\r\n {\r\n \"connectionString\": \"mongodb://accountname4367:Hu7kwZMqf2hBslOYbjMWqT17NlCreu13HWF11IVC1HKMkx3ntqCzbcTWHPUB7bx6vDjPojcdgsOmHNxo8WEeMg==@accountname4367.mongo.cosmos.windows-ppe.net:10255/?ssl=true&replicaSet=globaldb&retrywrites=false&maxIdleTimeMS=120000&appName=@accountname4367@\",\r\n \"description\": \"Secondary Read-Only MongoDB Connection String\"\r\n }\r\n ]\r\n}", + "ResponseBody": "{\r\n \"connectionStrings\": [\r\n {\r\n \"connectionString\": \"mongodb://accountname9088:cn8JnL6wyR77VxhVC7dX0YOhm01C2HEXeSUM1WMHBtjlDxpVEdOpCxTBnhVHIENcr5XKGGagXAfPgyFCO8Sepg==@accountname9088.mongo.cosmos.windows-ppe.net:10255/?ssl=true&replicaSet=globaldb&retrywrites=false&maxIdleTimeMS=120000&appName=@accountname9088@\",\r\n \"description\": \"Primary MongoDB Connection String\"\r\n },\r\n {\r\n \"connectionString\": \"mongodb://accountname9088:hv9XLdkdyjIGGkMUAdwSObpNuj9i38jN7bDXuBcexBDujQX6hH2o8nPnGt0VTCCYB8r2XidZeCYHnY7uMtTHpw==@accountname9088.mongo.cosmos.windows-ppe.net:10255/?ssl=true&replicaSet=globaldb&retrywrites=false&maxIdleTimeMS=120000&appName=@accountname9088@\",\r\n \"description\": \"Secondary MongoDB Connection String\"\r\n },\r\n {\r\n \"connectionString\": \"mongodb://accountname9088:KBMoDHC8Wh2cDjl7cCFtc2TYY6E8ZVSUkgYBwbIcjjtyBalMpwmt30VHKzSdmQvK3F3pQxVAGpgNHvzV5e58zw==@accountname9088.mongo.cosmos.windows-ppe.net:10255/?ssl=true&replicaSet=globaldb&retrywrites=false&maxIdleTimeMS=120000&appName=@accountname9088@\",\r\n \"description\": \"Primary Read-Only MongoDB Connection String\"\r\n },\r\n {\r\n \"connectionString\": \"mongodb://accountname9088:LONlmuOHYRIYGbdy44DNj6fywBxkPfcorIRXnfvP6xUelhiY3pvP2pijb7uOvlOoQwynuHnsGZAnutkTMJoDDA==@accountname9088.mongo.cosmos.windows-ppe.net:10255/?ssl=true&replicaSet=globaldb&retrywrites=false&maxIdleTimeMS=120000&appName=@accountname9088@\",\r\n \"description\": \"Secondary Read-Only MongoDB Connection String\"\r\n }\r\n ]\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts/accountname4367/readonlykeys?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDMwMjUvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU0MzY3L3JlYWRvbmx5a2V5cz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394/providers/Microsoft.DocumentDB/databaseAccounts/accountname9088/readonlykeys?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDYzOTQvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU5MDg4L3JlYWRvbmx5a2V5cz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "d59a6be4-e8b7-49f5-b790-2e1a4bb300eb" + "8cdcb2cf-23c7-4cfb-ae0b-e65df86d3f1a" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -2411,19 +3209,19 @@ "1197" ], "x-ms-request-id": [ - "75ac1af6-9808-41c3-b863-4da42e188e66" + "d0e1063c-036c-4518-aaf7-1de216c95bec" ], "x-ms-correlation-request-id": [ - "75ac1af6-9808-41c3-b863-4da42e188e66" + "d0e1063c-036c-4518-aaf7-1de216c95bec" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180619Z:75ac1af6-9808-41c3-b863-4da42e188e66" + "WESTCENTRALUS:20210427T173831Z:d0e1063c-036c-4518-aaf7-1de216c95bec" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:06:19 GMT" + "Tue, 27 Apr 2021 17:38:30 GMT" ], "Content-Length": [ "239" @@ -2432,26 +3230,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"primaryReadonlyMasterKey\": \"nzIjzjI9W462N7Af3Acm7BH3l3o0WJ20DD9aLQbu6E5lh6Ey0h4QFEOGViBEYRXbiW7oXFBxb1V1odv6NOWIuA==\",\r\n \"secondaryReadonlyMasterKey\": \"Hu7kwZMqf2hBslOYbjMWqT17NlCreu13HWF11IVC1HKMkx3ntqCzbcTWHPUB7bx6vDjPojcdgsOmHNxo8WEeMg==\"\r\n}", + "ResponseBody": "{\r\n \"primaryReadonlyMasterKey\": \"KBMoDHC8Wh2cDjl7cCFtc2TYY6E8ZVSUkgYBwbIcjjtyBalMpwmt30VHKzSdmQvK3F3pQxVAGpgNHvzV5e58zw==\",\r\n \"secondaryReadonlyMasterKey\": \"LONlmuOHYRIYGbdy44DNj6fywBxkPfcorIRXnfvP6xUelhiY3pvP2pijb7uOvlOoQwynuHnsGZAnutkTMJoDDA==\"\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts/accountname4367/readonlykeys?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDMwMjUvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU0MzY3L3JlYWRvbmx5a2V5cz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394/providers/Microsoft.DocumentDB/databaseAccounts/accountname9088/readonlykeys?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDYzOTQvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU5MDg4L3JlYWRvbmx5a2V5cz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "POST", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "aab30e22-5048-471f-a677-ce971ca0b8f2" + "dc7e7323-a880-492c-91f5-ba9e1841e51b" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -2474,19 +3272,19 @@ "1196" ], "x-ms-request-id": [ - "15c5f76a-5abd-44ff-9515-2a9ac75e58fc" + "f4707b37-b562-4118-beb3-57e20f106ee0" ], "x-ms-correlation-request-id": [ - "15c5f76a-5abd-44ff-9515-2a9ac75e58fc" + "f4707b37-b562-4118-beb3-57e20f106ee0" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180619Z:15c5f76a-5abd-44ff-9515-2a9ac75e58fc" + "WESTCENTRALUS:20210427T173831Z:f4707b37-b562-4118-beb3-57e20f106ee0" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:06:19 GMT" + "Tue, 27 Apr 2021 17:38:30 GMT" ], "Content-Length": [ "239" @@ -2495,26 +3293,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"primaryReadonlyMasterKey\": \"nzIjzjI9W462N7Af3Acm7BH3l3o0WJ20DD9aLQbu6E5lh6Ey0h4QFEOGViBEYRXbiW7oXFBxb1V1odv6NOWIuA==\",\r\n \"secondaryReadonlyMasterKey\": \"Hu7kwZMqf2hBslOYbjMWqT17NlCreu13HWF11IVC1HKMkx3ntqCzbcTWHPUB7bx6vDjPojcdgsOmHNxo8WEeMg==\"\r\n}", + "ResponseBody": "{\r\n \"primaryReadonlyMasterKey\": \"KBMoDHC8Wh2cDjl7cCFtc2TYY6E8ZVSUkgYBwbIcjjtyBalMpwmt30VHKzSdmQvK3F3pQxVAGpgNHvzV5e58zw==\",\r\n \"secondaryReadonlyMasterKey\": \"LONlmuOHYRIYGbdy44DNj6fywBxkPfcorIRXnfvP6xUelhiY3pvP2pijb7uOvlOoQwynuHnsGZAnutkTMJoDDA==\"\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts/accountname4367/regenerateKey?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDMwMjUvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU0MzY3L3JlZ2VuZXJhdGVLZXk/YXBpLXZlcnNpb249MjAyMS0wMy0wMS1wcmV2aWV3", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394/providers/Microsoft.DocumentDB/databaseAccounts/accountname9088/regenerateKey?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDYzOTQvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU5MDg4L3JlZ2VuZXJhdGVLZXk/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", "RequestMethod": "POST", "RequestBody": "{\r\n \"keyKind\": \"primaryReadonly\"\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "bc712a07-d164-4876-9f65-eacc47864ad4" + "6729a347-2410-4252-b158-08be9da76f67" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -2540,22 +3338,22 @@ "Microsoft-HTTPAPI/2.0" ], "x-ms-ratelimit-remaining-subscription-writes": [ - "1199" + "1198" ], "x-ms-request-id": [ - "060ac575-7133-462c-ae30-ed4e3afae300" + "b8719fe0-bbf1-4b47-b528-bccfc4e093c1" ], "x-ms-correlation-request-id": [ - "060ac575-7133-462c-ae30-ed4e3afae300" + "b8719fe0-bbf1-4b47-b528-bccfc4e093c1" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180621Z:060ac575-7133-462c-ae30-ed4e3afae300" + "WESTUS:20210427T173832Z:b8719fe0-bbf1-4b47-b528-bccfc4e093c1" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:06:21 GMT" + "Tue, 27 Apr 2021 17:38:32 GMT" ], "Content-Length": [ "282" @@ -2564,26 +3362,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"code\": \"PreconditionFailed\",\r\n \"message\": \"There is already an operation in progress which requires exclusive lock on this service accountname4367. Please retry the operation after sometime.\\r\\nActivityId: bc712a07-d164-4876-9f65-eacc47864ad4, Microsoft.Azure.Documents.Common/2.11.0\"\r\n}", + "ResponseBody": "{\r\n \"code\": \"PreconditionFailed\",\r\n \"message\": \"There is already an operation in progress which requires exclusive lock on this service accountname9088. Please retry the operation after sometime.\\r\\nActivityId: 6729a347-2410-4252-b158-08be9da76f67, Microsoft.Azure.Documents.Common/2.11.0\"\r\n}", "StatusCode": 412 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts/accountname4367/regenerateKey?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDMwMjUvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU0MzY3L3JlZ2VuZXJhdGVLZXk/YXBpLXZlcnNpb249MjAyMS0wMy0wMS1wcmV2aWV3", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394/providers/Microsoft.DocumentDB/databaseAccounts/accountname9088/regenerateKey?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDYzOTQvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU5MDg4L3JlZ2VuZXJhdGVLZXk/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", "RequestMethod": "POST", "RequestBody": "{\r\n \"keyKind\": \"secondary\"\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "f64c80a2-53c6-4546-b21d-0fdd90be35f1" + "e6905fdc-3f77-4263-b29c-af51f9515aab" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -2612,19 +3410,19 @@ "1199" ], "x-ms-request-id": [ - "27f9037b-8085-4aeb-b37a-3f6f33b1153e" + "bd5f391f-d4fc-4df1-85b0-81176b1ae002" ], "x-ms-correlation-request-id": [ - "27f9037b-8085-4aeb-b37a-3f6f33b1153e" + "bd5f391f-d4fc-4df1-85b0-81176b1ae002" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180621Z:27f9037b-8085-4aeb-b37a-3f6f33b1153e" + "WESTUS:20210427T173832Z:bd5f391f-d4fc-4df1-85b0-81176b1ae002" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:06:21 GMT" + "Tue, 27 Apr 2021 17:38:32 GMT" ], "Content-Length": [ "282" @@ -2633,26 +3431,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"code\": \"PreconditionFailed\",\r\n \"message\": \"There is already an operation in progress which requires exclusive lock on this service accountname4367. Please retry the operation after sometime.\\r\\nActivityId: f64c80a2-53c6-4546-b21d-0fdd90be35f1, Microsoft.Azure.Documents.Common/2.11.0\"\r\n}", + "ResponseBody": "{\r\n \"code\": \"PreconditionFailed\",\r\n \"message\": \"There is already an operation in progress which requires exclusive lock on this service accountname9088. Please retry the operation after sometime.\\r\\nActivityId: e6905fdc-3f77-4263-b29c-af51f9515aab, Microsoft.Azure.Documents.Common/2.11.0\"\r\n}", "StatusCode": 412 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts/accountname4367/regenerateKey?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDMwMjUvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU0MzY3L3JlZ2VuZXJhdGVLZXk/YXBpLXZlcnNpb249MjAyMS0wMy0wMS1wcmV2aWV3", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394/providers/Microsoft.DocumentDB/databaseAccounts/accountname9088/regenerateKey?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDYzOTQvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU5MDg4L3JlZ2VuZXJhdGVLZXk/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", "RequestMethod": "POST", "RequestBody": "{\r\n \"keyKind\": \"secondaryReadonly\"\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "2b129be1-cf5c-462d-832d-b3172ade65aa" + "fdeb64e9-17b2-45b4-8480-7096d96bf2dd" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -2678,22 +3476,22 @@ "Microsoft-HTTPAPI/2.0" ], "x-ms-ratelimit-remaining-subscription-writes": [ - "1199" + "1198" ], "x-ms-request-id": [ - "f1cde862-448e-4ad7-9485-0041b1804900" + "07247ff6-b283-405c-90ad-179de00ae311" ], "x-ms-correlation-request-id": [ - "f1cde862-448e-4ad7-9485-0041b1804900" + "07247ff6-b283-405c-90ad-179de00ae311" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180621Z:f1cde862-448e-4ad7-9485-0041b1804900" + "WESTUS:20210427T173832Z:07247ff6-b283-405c-90ad-179de00ae311" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:06:20 GMT" + "Tue, 27 Apr 2021 17:38:32 GMT" ], "Content-Length": [ "282" @@ -2702,26 +3500,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"code\": \"PreconditionFailed\",\r\n \"message\": \"There is already an operation in progress which requires exclusive lock on this service accountname4367. Please retry the operation after sometime.\\r\\nActivityId: 2b129be1-cf5c-462d-832d-b3172ade65aa, Microsoft.Azure.Documents.Common/2.11.0\"\r\n}", + "ResponseBody": "{\r\n \"code\": \"PreconditionFailed\",\r\n \"message\": \"There is already an operation in progress which requires exclusive lock on this service accountname9088. Please retry the operation after sometime.\\r\\nActivityId: fdeb64e9-17b2-45b4-8480-7096d96bf2dd, Microsoft.Azure.Documents.Common/2.11.0\"\r\n}", "StatusCode": 412 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts/accountname4367/regenerateKey?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDMwMjUvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU0MzY3L3JlZ2VuZXJhdGVLZXk/YXBpLXZlcnNpb249MjAyMS0wMy0wMS1wcmV2aWV3", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394/providers/Microsoft.DocumentDB/databaseAccounts/accountname9088/regenerateKey?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDYzOTQvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU5MDg4L3JlZ2VuZXJhdGVLZXk/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", "RequestMethod": "POST", "RequestBody": "{\r\n \"keyKind\": \"primary\"\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "ec0fdca0-e0cd-4b17-b9ba-164289216cda" + "d5d8c923-3791-43f7-b2bb-211f10402828" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -2738,13 +3536,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts/accountname4367/regenerateKey/operationResults/dd90ec45-ee67-4f5e-b488-3df8017264c8?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup6394/providers/Microsoft.DocumentDB/databaseAccounts/accountname9088/regenerateKey/operationResults/3c260433-b461-4cb5-969d-fcebd83514d5?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/dd90ec45-ee67-4f5e-b488-3df8017264c8?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/3c260433-b461-4cb5-969d-fcebd83514d5?api-version=2021-04-15" ], "x-ms-request-id": [ - "dd90ec45-ee67-4f5e-b488-3df8017264c8" + "3c260433-b461-4cb5-969d-fcebd83514d5" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -2759,16 +3557,16 @@ "1195" ], "x-ms-correlation-request-id": [ - "05c6ed7b-c130-4649-b974-041493a29dd9" + "18d997c8-64e7-4e0f-b6e6-5b500e79cdae" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180621Z:05c6ed7b-c130-4649-b974-041493a29dd9" + "WESTCENTRALUS:20210427T173833Z:18d997c8-64e7-4e0f-b6e6-5b500e79cdae" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:06:21 GMT" + "Tue, 27 Apr 2021 17:38:33 GMT" ], "Content-Length": [ "21" @@ -2779,77 +3577,14 @@ }, "ResponseBody": "{\r\n \"status\": \"Enqueued\"\r\n}", "StatusCode": 202 - }, - { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3025/providers/Microsoft.DocumentDB/databaseAccounts/accountname4367?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDMwMjUvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvYWNjb3VudG5hbWU0MzY3P2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", - "RequestMethod": "DELETE", - "RequestBody": "", - "RequestHeaders": { - "x-ms-client-request-id": [ - "ae5d3c9c-62ff-435a-9c25-2addf0faefc1" - ], - "Accept-Language": [ - "en-US" - ], - "User-Agent": [ - "FxVersion/5.0.321.7212", - "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" - ] - }, - "ResponseHeaders": { - "Cache-Control": [ - "no-store, no-cache" - ], - "Pragma": [ - "no-cache" - ], - "Strict-Transport-Security": [ - "max-age=31536000; includeSubDomains" - ], - "x-ms-gatewayversion": [ - "version=2.11.0" - ], - "Server": [ - "Microsoft-HTTPAPI/2.0" - ], - "x-ms-ratelimit-remaining-subscription-deletes": [ - "14999" - ], - "x-ms-request-id": [ - "4feca53c-7714-4259-bdca-c5661bc8c9a3" - ], - "x-ms-correlation-request-id": [ - "4feca53c-7714-4259-bdca-c5661bc8c9a3" - ], - "x-ms-routing-request-id": [ - "WESTUS2:20210303T180621Z:4feca53c-7714-4259-bdca-c5661bc8c9a3" - ], - "X-Content-Type-Options": [ - "nosniff" - ], - "Date": [ - "Wed, 03 Mar 2021 18:06:21 GMT" - ], - "Content-Length": [ - "282" - ], - "Content-Type": [ - "application/json" - ] - }, - "ResponseBody": "{\r\n \"code\": \"PreconditionFailed\",\r\n \"message\": \"There is already an operation in progress which requires exclusive lock on this service accountname4367. Please retry the operation after sometime.\\r\\nActivityId: ae5d3c9c-62ff-435a-9c25-2addf0faefc1, Microsoft.Azure.Documents.Common/2.11.0\"\r\n}", - "StatusCode": 412 } ], "Names": { "CreateResourceGroup": [ - "CosmosDBResourceGroup3025" + "CosmosDBResourceGroup6394" ], "DatabaseAccountCRUDTests": [ - "accountname4367" + "accountname9088" ] }, "Variables": { diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/GraphResourcesOperationsTests/GraphCRUDTests.json b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/GraphResourcesOperationsTests/GraphCRUDTests.json index 9ed0adeb9537..6b6552d95a91 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/GraphResourcesOperationsTests/GraphCRUDTests.json +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/GraphResourcesOperationsTests/GraphCRUDTests.json @@ -1,298 +1,22 @@ { "Entries": [ { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/triggers/triggerName?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3RyaWdnZXJzL3RyaWdnZXJOYW1lP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", - "RequestMethod": "DELETE", - "RequestBody": "", - "RequestHeaders": { - "x-ms-client-request-id": [ - "fae10391-380b-4dc5-8129-6712153138b3" - ], - "Accept-Language": [ - "en-US" - ], - "User-Agent": [ - "FxVersion/5.0.321.7212", - "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" - ] - }, - "ResponseHeaders": { - "Cache-Control": [ - "no-store, no-cache" - ], - "Pragma": [ - "no-cache" - ], - "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/triggers/triggerName/operationResults/e6cbcedd-83f3-4515-be30-1f802b457301?api-version=2021-03-01-preview" - ], - "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e6cbcedd-83f3-4515-be30-1f802b457301?api-version=2021-03-01-preview" - ], - "x-ms-request-id": [ - "e6cbcedd-83f3-4515-be30-1f802b457301" - ], - "Strict-Transport-Security": [ - "max-age=31536000; includeSubDomains" - ], - "x-ms-gatewayversion": [ - "version=2.11.0" - ], - "Server": [ - "Microsoft-HTTPAPI/2.0" - ], - "x-ms-ratelimit-remaining-subscription-deletes": [ - "14997" - ], - "x-ms-correlation-request-id": [ - "105c73b8-26c3-44c8-8f73-561631b72ec7" - ], - "x-ms-routing-request-id": [ - "WESTUS2:20210303T173419Z:105c73b8-26c3-44c8-8f73-561631b72ec7" - ], - "X-Content-Type-Options": [ - "nosniff" - ], - "Date": [ - "Wed, 03 Mar 2021 17:34:19 GMT" - ], - "Content-Length": [ - "21" - ], - "Content-Type": [ - "application/json" - ] - }, - "ResponseBody": "{\r\n \"status\": \"Enqueued\"\r\n}", - "StatusCode": 202 - }, - { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", - "RequestMethod": "DELETE", - "RequestBody": "", - "RequestHeaders": { - "x-ms-client-request-id": [ - "f3d79d18-7513-4b7d-a96c-9a59034fecc3" - ], - "Accept-Language": [ - "en-US" - ], - "User-Agent": [ - "FxVersion/5.0.321.7212", - "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" - ] - }, - "ResponseHeaders": { - "Cache-Control": [ - "no-store, no-cache" - ], - "Pragma": [ - "no-cache" - ], - "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/operationResults/c49a5352-26dc-4e9e-af47-785cf4cb0025?api-version=2021-03-01-preview" - ], - "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c49a5352-26dc-4e9e-af47-785cf4cb0025?api-version=2021-03-01-preview" - ], - "x-ms-request-id": [ - "c49a5352-26dc-4e9e-af47-785cf4cb0025" - ], - "Strict-Transport-Security": [ - "max-age=31536000; includeSubDomains" - ], - "x-ms-gatewayversion": [ - "version=2.11.0" - ], - "Server": [ - "Microsoft-HTTPAPI/2.0" - ], - "x-ms-ratelimit-remaining-subscription-deletes": [ - "14999" - ], - "x-ms-correlation-request-id": [ - "a51d782d-7524-4484-9610-9835a56d5cb0" - ], - "x-ms-routing-request-id": [ - "WESTUS2:20210303T173420Z:a51d782d-7524-4484-9610-9835a56d5cb0" - ], - "X-Content-Type-Options": [ - "nosniff" - ], - "Date": [ - "Wed, 03 Mar 2021 17:34:20 GMT" - ], - "Content-Length": [ - "21" - ], - "Content-Type": [ - "application/json" - ] - }, - "ResponseBody": "{\r\n \"status\": \"Enqueued\"\r\n}", - "StatusCode": 202 - }, - { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName2?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUyP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", - "RequestMethod": "DELETE", - "RequestBody": "", - "RequestHeaders": { - "x-ms-client-request-id": [ - "424784a0-1954-4d70-9771-918bbe1c29fc" - ], - "Accept-Language": [ - "en-US" - ], - "User-Agent": [ - "FxVersion/5.0.321.7212", - "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" - ] - }, - "ResponseHeaders": { - "Cache-Control": [ - "no-store, no-cache" - ], - "Pragma": [ - "no-cache" - ], - "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName2/operationResults/07269690-c864-424a-acca-849eb20d0291?api-version=2021-03-01-preview" - ], - "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/07269690-c864-424a-acca-849eb20d0291?api-version=2021-03-01-preview" - ], - "x-ms-request-id": [ - "07269690-c864-424a-acca-849eb20d0291" - ], - "Strict-Transport-Security": [ - "max-age=31536000; includeSubDomains" - ], - "x-ms-gatewayversion": [ - "version=2.11.0" - ], - "Server": [ - "Microsoft-HTTPAPI/2.0" - ], - "x-ms-ratelimit-remaining-subscription-deletes": [ - "14999" - ], - "x-ms-correlation-request-id": [ - "44fd1214-f3ec-487c-8e5a-33cd96934b1e" - ], - "x-ms-routing-request-id": [ - "WESTUS2:20210303T173420Z:44fd1214-f3ec-487c-8e5a-33cd96934b1e" - ], - "X-Content-Type-Options": [ - "nosniff" - ], - "Date": [ - "Wed, 03 Mar 2021 17:34:20 GMT" - ], - "Content-Length": [ - "21" - ], - "Content-Type": [ - "application/json" - ] - }, - "ResponseBody": "{\r\n \"status\": \"Enqueued\"\r\n}", - "StatusCode": 202 - }, - { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWU/YXBpLXZlcnNpb249MjAyMS0wMy0wMS1wcmV2aWV3", - "RequestMethod": "DELETE", - "RequestBody": "", - "RequestHeaders": { - "x-ms-client-request-id": [ - "63ae97b0-672d-4e6e-b756-cc60288fc0c8" - ], - "Accept-Language": [ - "en-US" - ], - "User-Agent": [ - "FxVersion/5.0.321.7212", - "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" - ] - }, - "ResponseHeaders": { - "Cache-Control": [ - "no-store, no-cache" - ], - "Pragma": [ - "no-cache" - ], - "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/operationResults/cf8967da-d228-4aca-b3f3-91b2c2179a5d?api-version=2021-03-01-preview" - ], - "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/cf8967da-d228-4aca-b3f3-91b2c2179a5d?api-version=2021-03-01-preview" - ], - "x-ms-request-id": [ - "cf8967da-d228-4aca-b3f3-91b2c2179a5d" - ], - "Strict-Transport-Security": [ - "max-age=31536000; includeSubDomains" - ], - "x-ms-gatewayversion": [ - "version=2.11.0" - ], - "Server": [ - "Microsoft-HTTPAPI/2.0" - ], - "x-ms-ratelimit-remaining-subscription-deletes": [ - "14999" - ], - "x-ms-correlation-request-id": [ - "0002d42e-1e29-4b5a-9a20-55a21dbb24b8" - ], - "x-ms-routing-request-id": [ - "WESTUS2:20210303T173420Z:0002d42e-1e29-4b5a-9a20-55a21dbb24b8" - ], - "X-Content-Type-Options": [ - "nosniff" - ], - "Date": [ - "Wed, 03 Mar 2021 17:34:19 GMT" - ], - "Content-Length": [ - "21" - ], - "Content-Type": [ - "application/json" - ] - }, - "ResponseBody": "{\r\n \"status\": \"Enqueued\"\r\n}", - "StatusCode": 202 - }, - { - "RequestUri": "/providers/Microsoft.DocumentDB/databaseAccountNames/db4096?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9kYXRhYmFzZUFjY291bnROYW1lcy9kYjQwOTY/YXBpLXZlcnNpb249MjAyMS0wMy0wMS1wcmV2aWV3", + "RequestUri": "/providers/Microsoft.DocumentDB/databaseAccountNames/db4096?api-version=2021-04-15", + "EncodedRequestUri": "L3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9kYXRhYmFzZUFjY291bnROYW1lcy9kYjQwOTY/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", "RequestMethod": "HEAD", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "a2fc5be7-014b-4ba9-a58e-56c4fa371ccf" + "75d82f44-14d7-48b4-9f87-aab365ab3d1d" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -306,7 +30,7 @@ "max-age=31536000; includeSubDomains" ], "x-ms-activity-id": [ - "a2fc5be7-014b-4ba9-a58e-56c4fa371ccf" + "75d82f44-14d7-48b4-9f87-aab365ab3d1d" ], "Server": [ "Microsoft-HTTPAPI/2.0" @@ -315,19 +39,19 @@ "11999" ], "x-ms-request-id": [ - "3452c540-caa9-4aff-b706-601b5b5100e5" + "c1dfb875-47d9-4ac2-a868-e4ff240c072a" ], "x-ms-correlation-request-id": [ - "3452c540-caa9-4aff-b706-601b5b5100e5" + "c1dfb875-47d9-4ac2-a868-e4ff240c072a" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173420Z:3452c540-caa9-4aff-b706-601b5b5100e5" + "WESTCENTRALUS:20210427T174918Z:c1dfb875-47d9-4ac2-a868-e4ff240c072a" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:34:19 GMT" + "Tue, 27 Apr 2021 17:49:17 GMT" ], "Content-Length": [ "0" @@ -337,22 +61,22 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI0MDk2L2dyZW1saW5EYXRhYmFzZXMvZGF0YWJhc2VOYW1lMTAwMj9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI0MDk2L2dyZW1saW5EYXRhYmFzZXMvZGF0YWJhc2VOYW1lMTAwMj9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "PUT", "RequestBody": "{\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName1002\"\r\n },\r\n \"options\": {}\r\n }\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "f952129c-7585-4d44-9bbd-96713f62308a" + "64f5054d-189e-4eed-aaaa-54cc95b7a271" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -369,13 +93,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002/operationResults/8eead2fe-a5cf-409c-9b35-0858bc1d494a?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002/operationResults/a3daecf7-f769-4ed4-81cc-81627360ad07?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/8eead2fe-a5cf-409c-9b35-0858bc1d494a?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/a3daecf7-f769-4ed4-81cc-81627360ad07?api-version=2021-04-15" ], "x-ms-request-id": [ - "8eead2fe-a5cf-409c-9b35-0858bc1d494a" + "a3daecf7-f769-4ed4-81cc-81627360ad07" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -390,16 +114,16 @@ "1199" ], "x-ms-correlation-request-id": [ - "6dd4b4d3-be89-4679-a887-c8ca53227f14" + "2de28430-11f8-4594-b2fa-ef3ac70b7800" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173421Z:6dd4b4d3-be89-4679-a887-c8ca53227f14" + "WESTCENTRALUS:20210427T174919Z:2de28430-11f8-4594-b2fa-ef3ac70b7800" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:34:20 GMT" + "Tue, 27 Apr 2021 17:49:18 GMT" ], "Content-Length": [ "21" @@ -412,16 +136,16 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/8eead2fe-a5cf-409c-9b35-0858bc1d494a?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzhlZWFkMmZlLWE1Y2YtNDA5Yy05YjM1LTA4NThiYzFkNDk0YT9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/a3daecf7-f769-4ed4-81cc-81627360ad07?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2EzZGFlY2Y3LWY3NjktNGVkNC04MWNjLTgxNjI3MzYwYWQwNz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -441,22 +165,22 @@ "Microsoft-HTTPAPI/2.0" ], "x-ms-ratelimit-remaining-subscription-reads": [ - "11998" + "11999" ], "x-ms-request-id": [ - "6c524163-b2ef-44ed-a41e-221a09748a2b" + "3dee28ea-de3c-4551-a638-b93541d83f99" ], "x-ms-correlation-request-id": [ - "6c524163-b2ef-44ed-a41e-221a09748a2b" + "3dee28ea-de3c-4551-a638-b93541d83f99" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173451Z:6c524163-b2ef-44ed-a41e-221a09748a2b" + "WESTCENTRALUS:20210427T174949Z:3dee28ea-de3c-4551-a638-b93541d83f99" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:34:51 GMT" + "Tue, 27 Apr 2021 17:49:48 GMT" ], "Content-Length": [ "22" @@ -469,16 +193,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI0MDk2L2dyZW1saW5EYXRhYmFzZXMvZGF0YWJhc2VOYW1lMTAwMj9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI0MDk2L2dyZW1saW5EYXRhYmFzZXMvZGF0YWJhc2VOYW1lMTAwMj9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -498,22 +222,22 @@ "Microsoft-HTTPAPI/2.0" ], "x-ms-ratelimit-remaining-subscription-reads": [ - "11997" + "11998" ], "x-ms-request-id": [ - "3048a73c-f8ef-4421-9b42-a61aac99b6eb" + "3fc614ce-d6be-482b-848b-1fddc596a3b4" ], "x-ms-correlation-request-id": [ - "3048a73c-f8ef-4421-9b42-a61aac99b6eb" + "3fc614ce-d6be-482b-848b-1fddc596a3b4" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173452Z:3048a73c-f8ef-4421-9b42-a61aac99b6eb" + "WESTCENTRALUS:20210427T174949Z:3fc614ce-d6be-482b-848b-1fddc596a3b4" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:34:51 GMT" + "Tue, 27 Apr 2021 17:49:49 GMT" ], "Content-Length": [ "478" @@ -522,26 +246,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases\",\r\n \"name\": \"databaseName1002\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName1002\",\r\n \"_rid\": \"XLFnAA==\",\r\n \"_self\": \"dbs/XLFnAA==/\",\r\n \"_etag\": \"\\\"00006e00-0000-0200-0000-603fc8a30000\\\"\",\r\n \"_colls\": \"colls/\",\r\n \"_users\": \"users/\",\r\n \"_ts\": 1614792867\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases\",\r\n \"name\": \"databaseName1002\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName1002\",\r\n \"_rid\": \"9EkUAA==\",\r\n \"_self\": \"dbs/9EkUAA==/\",\r\n \"_etag\": \"\\\"00002900-0000-0200-0000-60884ea50000\\\"\",\r\n \"_colls\": \"colls/\",\r\n \"_users\": \"users/\",\r\n \"_ts\": 1619545765\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI0MDk2L2dyZW1saW5EYXRhYmFzZXMvZGF0YWJhc2VOYW1lMTAwMj9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI0MDk2L2dyZW1saW5EYXRhYmFzZXMvZGF0YWJhc2VOYW1lMTAwMj9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "930ffd78-0591-4212-9085-9f98ae0384ed" + "7e414d83-e914-4537-beb1-e4ee3aeab76f" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -561,22 +285,22 @@ "Microsoft-HTTPAPI/2.0" ], "x-ms-ratelimit-remaining-subscription-reads": [ - "11996" + "11997" ], "x-ms-request-id": [ - "956fed4d-2d0b-4a47-8902-dda36a2776ab" + "d6b51202-4242-49f1-81cc-afaf18d8125e" ], "x-ms-correlation-request-id": [ - "956fed4d-2d0b-4a47-8902-dda36a2776ab" + "d6b51202-4242-49f1-81cc-afaf18d8125e" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173452Z:956fed4d-2d0b-4a47-8902-dda36a2776ab" + "WESTCENTRALUS:20210427T174949Z:d6b51202-4242-49f1-81cc-afaf18d8125e" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:34:52 GMT" + "Tue, 27 Apr 2021 17:49:49 GMT" ], "Content-Length": [ "478" @@ -585,26 +309,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases\",\r\n \"name\": \"databaseName1002\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName1002\",\r\n \"_rid\": \"XLFnAA==\",\r\n \"_self\": \"dbs/XLFnAA==/\",\r\n \"_etag\": \"\\\"00006e00-0000-0200-0000-603fc8a30000\\\"\",\r\n \"_colls\": \"colls/\",\r\n \"_users\": \"users/\",\r\n \"_ts\": 1614792867\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases\",\r\n \"name\": \"databaseName1002\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName1002\",\r\n \"_rid\": \"9EkUAA==\",\r\n \"_self\": \"dbs/9EkUAA==/\",\r\n \"_etag\": \"\\\"00002900-0000-0200-0000-60884ea50000\\\"\",\r\n \"_colls\": \"colls/\",\r\n \"_users\": \"users/\",\r\n \"_ts\": 1619545765\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName21002?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI0MDk2L2dyZW1saW5EYXRhYmFzZXMvZGF0YWJhc2VOYW1lMjEwMDI/YXBpLXZlcnNpb249MjAyMS0wMy0wMS1wcmV2aWV3", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName21002?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI0MDk2L2dyZW1saW5EYXRhYmFzZXMvZGF0YWJhc2VOYW1lMjEwMDI/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", "RequestMethod": "PUT", "RequestBody": "{\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName21002\"\r\n },\r\n \"options\": {\r\n \"throughput\": 700\r\n }\r\n },\r\n \"location\": \"EAST US 2\",\r\n \"tags\": {\r\n \"key3\": \"value3\",\r\n \"key4\": \"value4\"\r\n }\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "d53b810c-c14f-4870-935a-06ae06a105b6" + "3de0caef-fcb8-4f81-9a58-cf70e93198a2" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -621,13 +345,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName21002/operationResults/3e03fa11-a486-493e-8416-830dc3d2bfa9?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName21002/operationResults/04ec06f2-0436-4822-b9d4-64caa06ecd51?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/3e03fa11-a486-493e-8416-830dc3d2bfa9?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/04ec06f2-0436-4822-b9d4-64caa06ecd51?api-version=2021-04-15" ], "x-ms-request-id": [ - "3e03fa11-a486-493e-8416-830dc3d2bfa9" + "04ec06f2-0436-4822-b9d4-64caa06ecd51" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -642,16 +366,16 @@ "1198" ], "x-ms-correlation-request-id": [ - "ed43afc1-64f3-4c32-a898-430936942d1c" + "15be98dd-253b-4382-90be-a9367ae0f131" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173453Z:ed43afc1-64f3-4c32-a898-430936942d1c" + "WESTCENTRALUS:20210427T174950Z:15be98dd-253b-4382-90be-a9367ae0f131" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:34:52 GMT" + "Tue, 27 Apr 2021 17:49:50 GMT" ], "Content-Length": [ "21" @@ -664,16 +388,16 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/3e03fa11-a486-493e-8416-830dc3d2bfa9?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzNlMDNmYTExLWE0ODYtNDkzZS04NDE2LTgzMGRjM2QyYmZhOT9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/04ec06f2-0436-4822-b9d4-64caa06ecd51?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzA0ZWMwNmYyLTA0MzYtNDgyMi1iOWQ0LTY0Y2FhMDZlY2Q1MT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -696,19 +420,19 @@ "11996" ], "x-ms-request-id": [ - "acde6d04-98ab-4868-abba-362e28f4dbac" + "e433265c-a709-483d-ada9-3479efed1944" ], "x-ms-correlation-request-id": [ - "acde6d04-98ab-4868-abba-362e28f4dbac" + "e433265c-a709-483d-ada9-3479efed1944" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173523Z:acde6d04-98ab-4868-abba-362e28f4dbac" + "WESTCENTRALUS:20210427T175020Z:e433265c-a709-483d-ada9-3479efed1944" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:35:22 GMT" + "Tue, 27 Apr 2021 17:50:20 GMT" ], "Content-Length": [ "22" @@ -721,16 +445,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName21002?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI0MDk2L2dyZW1saW5EYXRhYmFzZXMvZGF0YWJhc2VOYW1lMjEwMDI/YXBpLXZlcnNpb249MjAyMS0wMy0wMS1wcmV2aWV3", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName21002?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI0MDk2L2dyZW1saW5EYXRhYmFzZXMvZGF0YWJhc2VOYW1lMjEwMDI/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -753,19 +477,19 @@ "11995" ], "x-ms-request-id": [ - "62fb81b0-87c0-43b6-bf0c-4708fa4965d7" + "254a9938-06dd-41de-a01c-1d80994198f6" ], "x-ms-correlation-request-id": [ - "62fb81b0-87c0-43b6-bf0c-4708fa4965d7" + "254a9938-06dd-41de-a01c-1d80994198f6" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173523Z:62fb81b0-87c0-43b6-bf0c-4708fa4965d7" + "WESTCENTRALUS:20210427T175021Z:254a9938-06dd-41de-a01c-1d80994198f6" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:35:22 GMT" + "Tue, 27 Apr 2021 17:50:20 GMT" ], "Content-Length": [ "481" @@ -774,26 +498,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName21002\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases\",\r\n \"name\": \"databaseName21002\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName21002\",\r\n \"_rid\": \"uxNTAA==\",\r\n \"_self\": \"dbs/uxNTAA==/\",\r\n \"_etag\": \"\\\"00007000-0000-0200-0000-603fc8c80000\\\"\",\r\n \"_colls\": \"colls/\",\r\n \"_users\": \"users/\",\r\n \"_ts\": 1614792904\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName21002\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases\",\r\n \"name\": \"databaseName21002\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName21002\",\r\n \"_rid\": \"flEiAA==\",\r\n \"_self\": \"dbs/flEiAA==/\",\r\n \"_etag\": \"\\\"00002b00-0000-0200-0000-60884ec80000\\\"\",\r\n \"_colls\": \"colls/\",\r\n \"_users\": \"users/\",\r\n \"_ts\": 1619545800\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI0MDk2L2dyZW1saW5EYXRhYmFzZXM/YXBpLXZlcnNpb249MjAyMS0wMy0wMS1wcmV2aWV3", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI0MDk2L2dyZW1saW5EYXRhYmFzZXM/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "cf3538fd-7fcf-40a8-a367-77a0751bff3c" + "cc480037-4ee8-48fc-ac08-56aaf406d578" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -816,19 +540,19 @@ "11994" ], "x-ms-request-id": [ - "21db69cd-f32f-492f-a4e3-7edb4e91fe87" + "d9e6d40d-7e4d-429c-88b3-5eb9885a0af3" ], "x-ms-correlation-request-id": [ - "21db69cd-f32f-492f-a4e3-7edb4e91fe87" + "d9e6d40d-7e4d-429c-88b3-5eb9885a0af3" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173523Z:21db69cd-f32f-492f-a4e3-7edb4e91fe87" + "WESTCENTRALUS:20210427T175021Z:d9e6d40d-7e4d-429c-88b3-5eb9885a0af3" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:35:22 GMT" + "Tue, 27 Apr 2021 17:50:20 GMT" ], "Content-Length": [ "972" @@ -837,26 +561,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName21002\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases\",\r\n \"name\": \"databaseName21002\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName21002\",\r\n \"_rid\": \"uxNTAA==\",\r\n \"_self\": \"dbs/uxNTAA==/\",\r\n \"_etag\": \"\\\"00007000-0000-0200-0000-603fc8c80000\\\"\",\r\n \"_colls\": \"colls/\",\r\n \"_users\": \"users/\",\r\n \"_ts\": 1614792904\r\n }\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases\",\r\n \"name\": \"databaseName1002\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName1002\",\r\n \"_rid\": \"XLFnAA==\",\r\n \"_self\": \"dbs/XLFnAA==/\",\r\n \"_etag\": \"\\\"00006e00-0000-0200-0000-603fc8a30000\\\"\",\r\n \"_colls\": \"colls/\",\r\n \"_users\": \"users/\",\r\n \"_ts\": 1614792867\r\n }\r\n }\r\n }\r\n ]\r\n}", + "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases\",\r\n \"name\": \"databaseName1002\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName1002\",\r\n \"_rid\": \"9EkUAA==\",\r\n \"_self\": \"dbs/9EkUAA==/\",\r\n \"_etag\": \"\\\"00002900-0000-0200-0000-60884ea50000\\\"\",\r\n \"_colls\": \"colls/\",\r\n \"_users\": \"users/\",\r\n \"_ts\": 1619545765\r\n }\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName21002\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases\",\r\n \"name\": \"databaseName21002\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName21002\",\r\n \"_rid\": \"flEiAA==\",\r\n \"_self\": \"dbs/flEiAA==/\",\r\n \"_etag\": \"\\\"00002b00-0000-0200-0000-60884ec80000\\\"\",\r\n \"_colls\": \"colls/\",\r\n \"_users\": \"users/\",\r\n \"_ts\": 1619545800\r\n }\r\n }\r\n }\r\n ]\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName21002/throughputSettings/default?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI0MDk2L2dyZW1saW5EYXRhYmFzZXMvZGF0YWJhc2VOYW1lMjEwMDIvdGhyb3VnaHB1dFNldHRpbmdzL2RlZmF1bHQ/YXBpLXZlcnNpb249MjAyMS0wMy0wMS1wcmV2aWV3", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName21002/throughputSettings/default?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI0MDk2L2dyZW1saW5EYXRhYmFzZXMvZGF0YWJhc2VOYW1lMjEwMDIvdGhyb3VnaHB1dFNldHRpbmdzL2RlZmF1bHQ/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "8ea4513e-3fec-4766-9662-aacc66e47ab7" + "5587286c-281b-40f2-a760-fcac8711a036" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -879,19 +603,19 @@ "11993" ], "x-ms-request-id": [ - "f57bf82f-0c05-4476-806f-cd16b88b1b63" + "5acf72c6-9ede-4d90-8aee-47cb9dbca85c" ], "x-ms-correlation-request-id": [ - "f57bf82f-0c05-4476-806f-cd16b88b1b63" + "5acf72c6-9ede-4d90-8aee-47cb9dbca85c" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173523Z:f57bf82f-0c05-4476-806f-cd16b88b1b63" + "WESTCENTRALUS:20210427T175021Z:5acf72c6-9ede-4d90-8aee-47cb9dbca85c" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:35:23 GMT" + "Tue, 27 Apr 2021 17:50:20 GMT" ], "Content-Length": [ "386" @@ -900,26 +624,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName21002/throughputSettings/default\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/throughputSettings\",\r\n \"name\": \"609p\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"throughput\": 700,\r\n \"minimumThroughput\": \"400\"\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName21002/throughputSettings/default\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/throughputSettings\",\r\n \"name\": \"4Uzx\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"throughput\": 700,\r\n \"minimumThroughput\": \"400\"\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002/graphs/gremlinGraphName1002?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI0MDk2L2dyZW1saW5EYXRhYmFzZXMvZGF0YWJhc2VOYW1lMTAwMi9ncmFwaHMvZ3JlbWxpbkdyYXBoTmFtZTEwMDI/YXBpLXZlcnNpb249MjAyMS0wMy0wMS1wcmV2aWV3", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002/graphs/gremlinGraphName1002?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI0MDk2L2dyZW1saW5EYXRhYmFzZXMvZGF0YWJhc2VOYW1lMTAwMi9ncmFwaHMvZ3JlbWxpbkdyYXBoTmFtZTEwMDI/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", "RequestMethod": "PUT", "RequestBody": "{\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"gremlinGraphName1002\",\r\n \"indexingPolicy\": {\r\n \"automatic\": true,\r\n \"indexingMode\": \"consistent\",\r\n \"includedPaths\": [\r\n {\r\n \"path\": \"/*\"\r\n }\r\n ],\r\n \"excludedPaths\": [\r\n {\r\n \"path\": \"/pathToNotIndex/*\"\r\n }\r\n ],\r\n \"compositeIndexes\": [\r\n [\r\n {\r\n \"path\": \"/orderByPath1\",\r\n \"order\": \"ascending\"\r\n },\r\n {\r\n \"path\": \"/orderByPath2\",\r\n \"order\": \"descending\"\r\n }\r\n ],\r\n [\r\n {\r\n \"path\": \"/orderByPath3\",\r\n \"order\": \"ascending\"\r\n },\r\n {\r\n \"path\": \"/orderByPath4\",\r\n \"order\": \"descending\"\r\n }\r\n ]\r\n ]\r\n },\r\n \"partitionKey\": {\r\n \"paths\": [\r\n \"/address\"\r\n ],\r\n \"kind\": \"Hash\"\r\n },\r\n \"defaultTtl\": -1\r\n },\r\n \"options\": {\r\n \"throughput\": 700\r\n }\r\n }\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "19433fdf-4212-4320-8e14-44982937ecc7" + "da7457df-f7af-4034-8190-43227a5f0436" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -936,13 +660,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002/graphs/gremlinGraphName1002/operationResults/4912f546-8e67-4fac-89f2-18f1dde6d3ef?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002/graphs/gremlinGraphName1002/operationResults/5594962a-7f38-4347-a1e9-fe800c6cdc66?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/4912f546-8e67-4fac-89f2-18f1dde6d3ef?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/5594962a-7f38-4347-a1e9-fe800c6cdc66?api-version=2021-04-15" ], "x-ms-request-id": [ - "4912f546-8e67-4fac-89f2-18f1dde6d3ef" + "5594962a-7f38-4347-a1e9-fe800c6cdc66" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -957,16 +681,16 @@ "1197" ], "x-ms-correlation-request-id": [ - "6773cff3-a65d-4601-945b-2a580b0d354c" + "191f5643-e170-4844-b0a8-a46b3d5ee2e5" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173524Z:6773cff3-a65d-4601-945b-2a580b0d354c" + "WESTCENTRALUS:20210427T175022Z:191f5643-e170-4844-b0a8-a46b3d5ee2e5" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:35:23 GMT" + "Tue, 27 Apr 2021 17:50:21 GMT" ], "Content-Length": [ "21" @@ -979,16 +703,16 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/4912f546-8e67-4fac-89f2-18f1dde6d3ef?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzQ5MTJmNTQ2LThlNjctNGZhYy04OWYyLTE4ZjFkZGU2ZDNlZj9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/5594962a-7f38-4347-a1e9-fe800c6cdc66?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzU1OTQ5NjJhLTdmMzgtNDM0Ny1hMWU5LWZlODAwYzZjZGM2Nj9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1011,19 +735,19 @@ "11992" ], "x-ms-request-id": [ - "bb7eec62-e935-4d27-a14d-90bd7d83bf7a" + "618b4fcb-1ad1-44a8-9495-0c37dc7adf6d" ], "x-ms-correlation-request-id": [ - "bb7eec62-e935-4d27-a14d-90bd7d83bf7a" + "618b4fcb-1ad1-44a8-9495-0c37dc7adf6d" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173554Z:bb7eec62-e935-4d27-a14d-90bd7d83bf7a" + "WESTCENTRALUS:20210427T175052Z:618b4fcb-1ad1-44a8-9495-0c37dc7adf6d" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:35:54 GMT" + "Tue, 27 Apr 2021 17:50:51 GMT" ], "Content-Length": [ "22" @@ -1036,16 +760,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002/graphs/gremlinGraphName1002?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI0MDk2L2dyZW1saW5EYXRhYmFzZXMvZGF0YWJhc2VOYW1lMTAwMi9ncmFwaHMvZ3JlbWxpbkdyYXBoTmFtZTEwMDI/YXBpLXZlcnNpb249MjAyMS0wMy0wMS1wcmV2aWV3", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002/graphs/gremlinGraphName1002?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI0MDk2L2dyZW1saW5EYXRhYmFzZXMvZGF0YWJhc2VOYW1lMTAwMi9ncmFwaHMvZ3JlbWxpbkdyYXBoTmFtZTEwMDI/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1068,19 +792,19 @@ "11991" ], "x-ms-request-id": [ - "830f18d9-14a3-456b-bdf0-f952cfe14490" + "70c9cd8f-9dee-4701-8ff8-98ed718cdc2d" ], "x-ms-correlation-request-id": [ - "830f18d9-14a3-456b-bdf0-f952cfe14490" + "70c9cd8f-9dee-4701-8ff8-98ed718cdc2d" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173554Z:830f18d9-14a3-456b-bdf0-f952cfe14490" + "WESTCENTRALUS:20210427T175052Z:70c9cd8f-9dee-4701-8ff8-98ed718cdc2d" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:35:54 GMT" + "Tue, 27 Apr 2021 17:50:52 GMT" ], "Content-Length": [ "1353" @@ -1089,26 +813,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002/graphs/gremlinGraphName1002\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs\",\r\n \"name\": \"gremlinGraphName1002\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"gremlinGraphName1002\",\r\n \"indexingPolicy\": {\r\n \"indexingMode\": \"consistent\",\r\n \"automatic\": true,\r\n \"includedPaths\": [\r\n {\r\n \"path\": \"/*\"\r\n }\r\n ],\r\n \"excludedPaths\": [\r\n {\r\n \"path\": \"/pathToNotIndex/*\"\r\n },\r\n {\r\n \"path\": \"/\\\"_etag\\\"/?\"\r\n }\r\n ],\r\n \"compositeIndexes\": [\r\n [\r\n {\r\n \"path\": \"/orderByPath1\",\r\n \"order\": \"ascending\"\r\n },\r\n {\r\n \"path\": \"/orderByPath2\",\r\n \"order\": \"descending\"\r\n }\r\n ],\r\n [\r\n {\r\n \"path\": \"/orderByPath3\",\r\n \"order\": \"ascending\"\r\n },\r\n {\r\n \"path\": \"/orderByPath4\",\r\n \"order\": \"descending\"\r\n }\r\n ]\r\n ]\r\n },\r\n \"partitionKey\": {\r\n \"paths\": [\r\n \"/address\"\r\n ],\r\n \"kind\": \"Hash\"\r\n },\r\n \"defaultTtl\": -1,\r\n \"uniqueKeyPolicy\": {\r\n \"uniqueKeys\": []\r\n },\r\n \"conflictResolutionPolicy\": {\r\n \"mode\": \"LastWriterWins\",\r\n \"conflictResolutionPath\": \"/_ts\",\r\n \"conflictResolutionProcedure\": \"\"\r\n },\r\n \"allowMaterializedViews\": false,\r\n \"geospatialConfig\": {\r\n \"type\": \"Geography\"\r\n },\r\n \"_rid\": \"XLFnAKKSbJc=\",\r\n \"_ts\": 1614792935,\r\n \"_self\": \"dbs/XLFnAA==/colls/XLFnAKKSbJc=/\",\r\n \"_etag\": \"\\\"00007400-0000-0200-0000-603fc8e70000\\\"\",\r\n \"_docs\": \"docs/\",\r\n \"_sprocs\": \"sprocs/\",\r\n \"_triggers\": \"triggers/\",\r\n \"_udfs\": \"udfs/\",\r\n \"_conflicts\": \"conflicts/\",\r\n \"statistics\": [\r\n {\r\n \"id\": \"0\",\r\n \"sizeInKB\": 0,\r\n \"documentCount\": 0,\r\n \"partitionKeys\": []\r\n }\r\n ]\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002/graphs/gremlinGraphName1002\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs\",\r\n \"name\": \"gremlinGraphName1002\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"gremlinGraphName1002\",\r\n \"indexingPolicy\": {\r\n \"indexingMode\": \"consistent\",\r\n \"automatic\": true,\r\n \"includedPaths\": [\r\n {\r\n \"path\": \"/*\"\r\n }\r\n ],\r\n \"excludedPaths\": [\r\n {\r\n \"path\": \"/pathToNotIndex/*\"\r\n },\r\n {\r\n \"path\": \"/\\\"_etag\\\"/?\"\r\n }\r\n ],\r\n \"compositeIndexes\": [\r\n [\r\n {\r\n \"path\": \"/orderByPath1\",\r\n \"order\": \"ascending\"\r\n },\r\n {\r\n \"path\": \"/orderByPath2\",\r\n \"order\": \"descending\"\r\n }\r\n ],\r\n [\r\n {\r\n \"path\": \"/orderByPath3\",\r\n \"order\": \"ascending\"\r\n },\r\n {\r\n \"path\": \"/orderByPath4\",\r\n \"order\": \"descending\"\r\n }\r\n ]\r\n ]\r\n },\r\n \"partitionKey\": {\r\n \"paths\": [\r\n \"/address\"\r\n ],\r\n \"kind\": \"Hash\"\r\n },\r\n \"defaultTtl\": -1,\r\n \"uniqueKeyPolicy\": {\r\n \"uniqueKeys\": []\r\n },\r\n \"conflictResolutionPolicy\": {\r\n \"mode\": \"LastWriterWins\",\r\n \"conflictResolutionPath\": \"/_ts\",\r\n \"conflictResolutionProcedure\": \"\"\r\n },\r\n \"allowMaterializedViews\": false,\r\n \"geospatialConfig\": {\r\n \"type\": \"Geography\"\r\n },\r\n \"_rid\": \"9EkUAMq6vvQ=\",\r\n \"_ts\": 1619545830,\r\n \"_self\": \"dbs/9EkUAA==/colls/9EkUAMq6vvQ=/\",\r\n \"_etag\": \"\\\"00002f00-0000-0200-0000-60884ee60000\\\"\",\r\n \"_docs\": \"docs/\",\r\n \"_sprocs\": \"sprocs/\",\r\n \"_triggers\": \"triggers/\",\r\n \"_udfs\": \"udfs/\",\r\n \"_conflicts\": \"conflicts/\",\r\n \"statistics\": [\r\n {\r\n \"id\": \"0\",\r\n \"sizeInKB\": 0,\r\n \"documentCount\": 0,\r\n \"partitionKeys\": []\r\n }\r\n ]\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002/graphs?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI0MDk2L2dyZW1saW5EYXRhYmFzZXMvZGF0YWJhc2VOYW1lMTAwMi9ncmFwaHM/YXBpLXZlcnNpb249MjAyMS0wMy0wMS1wcmV2aWV3", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002/graphs?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI0MDk2L2dyZW1saW5EYXRhYmFzZXMvZGF0YWJhc2VOYW1lMTAwMi9ncmFwaHM/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "c978aaa0-46dc-4459-b86c-78544f6077fe" + "bd87f071-1101-4325-9d06-82d0e523045c" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1131,19 +855,19 @@ "11990" ], "x-ms-request-id": [ - "fa8d3dac-ceaa-49d7-955c-c5f068e36d2a" + "3783fa7f-b492-40ed-af27-0fd164ab73f6" ], "x-ms-correlation-request-id": [ - "fa8d3dac-ceaa-49d7-955c-c5f068e36d2a" + "3783fa7f-b492-40ed-af27-0fd164ab73f6" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173555Z:fa8d3dac-ceaa-49d7-955c-c5f068e36d2a" + "WESTCENTRALUS:20210427T175053Z:3783fa7f-b492-40ed-af27-0fd164ab73f6" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:35:54 GMT" + "Tue, 27 Apr 2021 17:50:52 GMT" ], "Content-Length": [ "1289" @@ -1152,7 +876,7 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002/graphs/gremlinGraphName1002\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs\",\r\n \"name\": \"gremlinGraphName1002\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"gremlinGraphName1002\",\r\n \"indexingPolicy\": {\r\n \"indexingMode\": \"consistent\",\r\n \"automatic\": true,\r\n \"includedPaths\": [\r\n {\r\n \"path\": \"/*\"\r\n }\r\n ],\r\n \"excludedPaths\": [\r\n {\r\n \"path\": \"/pathToNotIndex/*\"\r\n },\r\n {\r\n \"path\": \"/\\\"_etag\\\"/?\"\r\n }\r\n ],\r\n \"compositeIndexes\": [\r\n [\r\n {\r\n \"path\": \"/orderByPath1\",\r\n \"order\": \"ascending\"\r\n },\r\n {\r\n \"path\": \"/orderByPath2\",\r\n \"order\": \"descending\"\r\n }\r\n ],\r\n [\r\n {\r\n \"path\": \"/orderByPath3\",\r\n \"order\": \"ascending\"\r\n },\r\n {\r\n \"path\": \"/orderByPath4\",\r\n \"order\": \"descending\"\r\n }\r\n ]\r\n ]\r\n },\r\n \"partitionKey\": {\r\n \"paths\": [\r\n \"/address\"\r\n ],\r\n \"kind\": \"Hash\"\r\n },\r\n \"defaultTtl\": -1,\r\n \"uniqueKeyPolicy\": {\r\n \"uniqueKeys\": []\r\n },\r\n \"conflictResolutionPolicy\": {\r\n \"mode\": \"LastWriterWins\",\r\n \"conflictResolutionPath\": \"/_ts\",\r\n \"conflictResolutionProcedure\": \"\"\r\n },\r\n \"allowMaterializedViews\": false,\r\n \"geospatialConfig\": {\r\n \"type\": \"Geography\"\r\n },\r\n \"_rid\": \"XLFnAKKSbJc=\",\r\n \"_ts\": 1614792935,\r\n \"_self\": \"dbs/XLFnAA==/colls/XLFnAKKSbJc=/\",\r\n \"_etag\": \"\\\"00007400-0000-0200-0000-603fc8e70000\\\"\",\r\n \"_docs\": \"docs/\",\r\n \"_sprocs\": \"sprocs/\",\r\n \"_triggers\": \"triggers/\",\r\n \"_udfs\": \"udfs/\",\r\n \"_conflicts\": \"conflicts/\"\r\n }\r\n }\r\n }\r\n ]\r\n}", + "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002/graphs/gremlinGraphName1002\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs\",\r\n \"name\": \"gremlinGraphName1002\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"gremlinGraphName1002\",\r\n \"indexingPolicy\": {\r\n \"indexingMode\": \"consistent\",\r\n \"automatic\": true,\r\n \"includedPaths\": [\r\n {\r\n \"path\": \"/*\"\r\n }\r\n ],\r\n \"excludedPaths\": [\r\n {\r\n \"path\": \"/pathToNotIndex/*\"\r\n },\r\n {\r\n \"path\": \"/\\\"_etag\\\"/?\"\r\n }\r\n ],\r\n \"compositeIndexes\": [\r\n [\r\n {\r\n \"path\": \"/orderByPath1\",\r\n \"order\": \"ascending\"\r\n },\r\n {\r\n \"path\": \"/orderByPath2\",\r\n \"order\": \"descending\"\r\n }\r\n ],\r\n [\r\n {\r\n \"path\": \"/orderByPath3\",\r\n \"order\": \"ascending\"\r\n },\r\n {\r\n \"path\": \"/orderByPath4\",\r\n \"order\": \"descending\"\r\n }\r\n ]\r\n ]\r\n },\r\n \"partitionKey\": {\r\n \"paths\": [\r\n \"/address\"\r\n ],\r\n \"kind\": \"Hash\"\r\n },\r\n \"defaultTtl\": -1,\r\n \"uniqueKeyPolicy\": {\r\n \"uniqueKeys\": []\r\n },\r\n \"conflictResolutionPolicy\": {\r\n \"mode\": \"LastWriterWins\",\r\n \"conflictResolutionPath\": \"/_ts\",\r\n \"conflictResolutionProcedure\": \"\"\r\n },\r\n \"allowMaterializedViews\": false,\r\n \"geospatialConfig\": {\r\n \"type\": \"Geography\"\r\n },\r\n \"_rid\": \"9EkUAMq6vvQ=\",\r\n \"_ts\": 1619545830,\r\n \"_self\": \"dbs/9EkUAA==/colls/9EkUAMq6vvQ=/\",\r\n \"_etag\": \"\\\"00002f00-0000-0200-0000-60884ee60000\\\"\",\r\n \"_docs\": \"docs/\",\r\n \"_sprocs\": \"sprocs/\",\r\n \"_triggers\": \"triggers/\",\r\n \"_udfs\": \"udfs/\",\r\n \"_conflicts\": \"conflicts/\"\r\n }\r\n }\r\n }\r\n ]\r\n}", "StatusCode": 200 } ], diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/MongoResourcesOperationsTests/MongoCRUDTests.json b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/MongoResourcesOperationsTests/MongoCRUDTests.json index 040bab41d21f..dc553138690d 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/MongoResourcesOperationsTests/MongoCRUDTests.json +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/MongoResourcesOperationsTests/MongoCRUDTests.json @@ -1,22 +1,91 @@ { "Entries": [ { - "RequestUri": "/providers/Microsoft.DocumentDB/databaseAccountNames/db001?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9kYXRhYmFzZUFjY291bnROYW1lcy9kYjAwMT9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002/graphs/gremlinGraphName1002?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI0MDk2L2dyZW1saW5EYXRhYmFzZXMvZGF0YWJhc2VOYW1lMTAwMi9ncmFwaHMvZ3JlbWxpbkdyYXBoTmFtZTEwMDI/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", + "RequestMethod": "DELETE", + "RequestBody": "", + "RequestHeaders": { + "x-ms-client-request-id": [ + "b725f84b-455d-4c4e-b418-79d6745bc77e" + ], + "Accept-Language": [ + "en-US" + ], + "User-Agent": [ + "FxVersion/4.6.29916.01", + "OSName/Windows", + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" + ] + }, + "ResponseHeaders": { + "Cache-Control": [ + "no-store, no-cache" + ], + "Pragma": [ + "no-cache" + ], + "Location": [ + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002/graphs/gremlinGraphName1002/operationResults/e5f57edc-14f9-489f-92ab-f7144743df73?api-version=2021-04-15" + ], + "Azure-AsyncOperation": [ + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e5f57edc-14f9-489f-92ab-f7144743df73?api-version=2021-04-15" + ], + "x-ms-request-id": [ + "e5f57edc-14f9-489f-92ab-f7144743df73" + ], + "Strict-Transport-Security": [ + "max-age=31536000; includeSubDomains" + ], + "x-ms-gatewayversion": [ + "version=2.11.0" + ], + "Server": [ + "Microsoft-HTTPAPI/2.0" + ], + "x-ms-ratelimit-remaining-subscription-deletes": [ + "14999" + ], + "x-ms-correlation-request-id": [ + "d9c1f30e-be4a-4ac0-b271-174883b69047" + ], + "x-ms-routing-request-id": [ + "WESTCENTRALUS:20210427T175053Z:d9c1f30e-be4a-4ac0-b271-174883b69047" + ], + "X-Content-Type-Options": [ + "nosniff" + ], + "Date": [ + "Tue, 27 Apr 2021 17:50:52 GMT" + ], + "Content-Length": [ + "21" + ], + "Content-Type": [ + "application/json" + ] + }, + "ResponseBody": "{\r\n \"status\": \"Enqueued\"\r\n}", + "StatusCode": 202 + }, + { + "RequestUri": "/providers/Microsoft.DocumentDB/databaseAccountNames/db001?api-version=2021-04-15", + "EncodedRequestUri": "L3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9kYXRhYmFzZUFjY291bnROYW1lcy9kYjAwMT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "HEAD", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "17b50e6a-27e0-4dab-9f54-69d33740e7c7" + "adcda962-10be-46bc-a68e-5970da812746" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -30,7 +99,7 @@ "max-age=31536000; includeSubDomains" ], "x-ms-activity-id": [ - "17b50e6a-27e0-4dab-9f54-69d33740e7c7" + "adcda962-10be-46bc-a68e-5970da812746" ], "Server": [ "Microsoft-HTTPAPI/2.0" @@ -39,19 +108,19 @@ "11999" ], "x-ms-request-id": [ - "85b56b0a-e974-45b5-9efb-42802e1f908e" + "3b95ef45-ffce-4e0a-83e5-1f5d6a23c188" ], "x-ms-correlation-request-id": [ - "85b56b0a-e974-45b5-9efb-42802e1f908e" + "3b95ef45-ffce-4e0a-83e5-1f5d6a23c188" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180623Z:85b56b0a-e974-45b5-9efb-42802e1f908e" + "WESTUS:20210427T175054Z:3b95ef45-ffce-4e0a-83e5-1f5d6a23c188" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:06:23 GMT" + "Tue, 27 Apr 2021 17:50:53 GMT" ], "Content-Length": [ "0" @@ -61,22 +130,160 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIwMDEvbW9uZ29kYkRhdGFiYXNlcy9kYXRhYmFzZU5hbWUzNjY4P2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI0MDk2L2dyZW1saW5EYXRhYmFzZXMvZGF0YWJhc2VOYW1lMTAwMj9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", + "RequestMethod": "DELETE", + "RequestBody": "", + "RequestHeaders": { + "x-ms-client-request-id": [ + "1b61aaa2-339a-41df-8178-1cd490dda0be" + ], + "Accept-Language": [ + "en-US" + ], + "User-Agent": [ + "FxVersion/4.6.29916.01", + "OSName/Windows", + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" + ] + }, + "ResponseHeaders": { + "Cache-Control": [ + "no-store, no-cache" + ], + "Pragma": [ + "no-cache" + ], + "Location": [ + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName1002/operationResults/c075c014-202b-43d6-81f2-715f24d1de99?api-version=2021-04-15" + ], + "Azure-AsyncOperation": [ + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c075c014-202b-43d6-81f2-715f24d1de99?api-version=2021-04-15" + ], + "x-ms-request-id": [ + "c075c014-202b-43d6-81f2-715f24d1de99" + ], + "Strict-Transport-Security": [ + "max-age=31536000; includeSubDomains" + ], + "x-ms-gatewayversion": [ + "version=2.11.0" + ], + "Server": [ + "Microsoft-HTTPAPI/2.0" + ], + "x-ms-ratelimit-remaining-subscription-deletes": [ + "14999" + ], + "x-ms-correlation-request-id": [ + "41090c33-2e13-45d7-b9ab-ec9bafb7bd18" + ], + "x-ms-routing-request-id": [ + "WESTUS:20210427T175054Z:41090c33-2e13-45d7-b9ab-ec9bafb7bd18" + ], + "X-Content-Type-Options": [ + "nosniff" + ], + "Date": [ + "Tue, 27 Apr 2021 17:50:54 GMT" + ], + "Content-Length": [ + "21" + ], + "Content-Type": [ + "application/json" + ] + }, + "ResponseBody": "{\r\n \"status\": \"Enqueued\"\r\n}", + "StatusCode": 202 + }, + { + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName21002?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI0MDk2L2dyZW1saW5EYXRhYmFzZXMvZGF0YWJhc2VOYW1lMjEwMDI/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", + "RequestMethod": "DELETE", + "RequestBody": "", + "RequestHeaders": { + "x-ms-client-request-id": [ + "42aafa5b-708b-4797-a18e-fd75e095b7e5" + ], + "Accept-Language": [ + "en-US" + ], + "User-Agent": [ + "FxVersion/4.6.29916.01", + "OSName/Windows", + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" + ] + }, + "ResponseHeaders": { + "Cache-Control": [ + "no-store, no-cache" + ], + "Pragma": [ + "no-cache" + ], + "Location": [ + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db4096/gremlinDatabases/databaseName21002/operationResults/caee984f-c115-4595-8a29-2615d2562c07?api-version=2021-04-15" + ], + "Azure-AsyncOperation": [ + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/caee984f-c115-4595-8a29-2615d2562c07?api-version=2021-04-15" + ], + "x-ms-request-id": [ + "caee984f-c115-4595-8a29-2615d2562c07" + ], + "Strict-Transport-Security": [ + "max-age=31536000; includeSubDomains" + ], + "x-ms-gatewayversion": [ + "version=2.11.0" + ], + "Server": [ + "Microsoft-HTTPAPI/2.0" + ], + "x-ms-ratelimit-remaining-subscription-deletes": [ + "14999" + ], + "x-ms-correlation-request-id": [ + "f6ae01df-bca0-4216-8239-75c24bea33af" + ], + "x-ms-routing-request-id": [ + "WESTUS:20210427T175054Z:f6ae01df-bca0-4216-8239-75c24bea33af" + ], + "X-Content-Type-Options": [ + "nosniff" + ], + "Date": [ + "Tue, 27 Apr 2021 17:50:53 GMT" + ], + "Content-Length": [ + "21" + ], + "Content-Type": [ + "application/json" + ] + }, + "ResponseBody": "{\r\n \"status\": \"Enqueued\"\r\n}", + "StatusCode": 202 + }, + { + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIwMDEvbW9uZ29kYkRhdGFiYXNlcy9kYXRhYmFzZU5hbWUzNjY4P2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "PUT", "RequestBody": "{\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName3668\"\r\n },\r\n \"options\": {}\r\n }\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "beb4446f-a8d7-4a6f-920b-212630b3bb00" + "644a9ed4-698c-49a9-a7f4-f8665ddd3434" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -93,13 +300,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668/operationResults/bbf87d01-e897-4db3-8150-3549c6c9b71a?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668/operationResults/f49fedd3-076a-432f-b2aa-82f6515b00ba?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/bbf87d01-e897-4db3-8150-3549c6c9b71a?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/f49fedd3-076a-432f-b2aa-82f6515b00ba?api-version=2021-04-15" ], "x-ms-request-id": [ - "bbf87d01-e897-4db3-8150-3549c6c9b71a" + "f49fedd3-076a-432f-b2aa-82f6515b00ba" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -114,16 +321,16 @@ "1199" ], "x-ms-correlation-request-id": [ - "11f903a3-a51a-4f73-a9cd-a5fbeae998ee" + "9d9e6e7a-bbe3-4da9-9530-d77c9b26960b" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180624Z:11f903a3-a51a-4f73-a9cd-a5fbeae998ee" + "WESTUS:20210427T175055Z:9d9e6e7a-bbe3-4da9-9530-d77c9b26960b" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:06:24 GMT" + "Tue, 27 Apr 2021 17:50:54 GMT" ], "Content-Length": [ "21" @@ -136,16 +343,16 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/bbf87d01-e897-4db3-8150-3549c6c9b71a?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2JiZjg3ZDAxLWU4OTctNGRiMy04MTUwLTM1NDljNmM5YjcxYT9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/f49fedd3-076a-432f-b2aa-82f6515b00ba?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2Y0OWZlZGQzLTA3NmEtNDMyZi1iMmFhLTgyZjY1MTViMDBiYT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -168,19 +375,19 @@ "11999" ], "x-ms-request-id": [ - "a171ca51-1cd3-4ad1-aa04-70fe3fd0499d" + "26f10753-d9ae-4216-b887-52b4c808fa14" ], "x-ms-correlation-request-id": [ - "a171ca51-1cd3-4ad1-aa04-70fe3fd0499d" + "26f10753-d9ae-4216-b887-52b4c808fa14" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180655Z:a171ca51-1cd3-4ad1-aa04-70fe3fd0499d" + "WESTUS:20210427T175125Z:26f10753-d9ae-4216-b887-52b4c808fa14" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:06:54 GMT" + "Tue, 27 Apr 2021 17:51:25 GMT" ], "Content-Length": [ "22" @@ -193,16 +400,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIwMDEvbW9uZ29kYkRhdGFiYXNlcy9kYXRhYmFzZU5hbWUzNjY4P2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIwMDEvbW9uZ29kYkRhdGFiYXNlcy9kYXRhYmFzZU5hbWUzNjY4P2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -225,19 +432,19 @@ "11998" ], "x-ms-request-id": [ - "fdd78e1d-ebad-4d55-b3be-758dc54a07bb" + "d482e1fb-7295-4d5a-a96d-354503b580cb" ], "x-ms-correlation-request-id": [ - "fdd78e1d-ebad-4d55-b3be-758dc54a07bb" + "d482e1fb-7295-4d5a-a96d-354503b580cb" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180655Z:fdd78e1d-ebad-4d55-b3be-758dc54a07bb" + "WESTUS:20210427T175126Z:d482e1fb-7295-4d5a-a96d-354503b580cb" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:06:54 GMT" + "Tue, 27 Apr 2021 17:51:25 GMT" ], "Content-Length": [ "417" @@ -246,26 +453,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases\",\r\n \"name\": \"databaseName3668\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName3668\",\r\n \"_rid\": \"MIBgAA==\",\r\n \"_etag\": \"\\\"00002200-0000-0200-0000-603ef02d0000\\\"\",\r\n \"_ts\": 1614737453\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases\",\r\n \"name\": \"databaseName3668\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName3668\",\r\n \"_rid\": \"20hdAA==\",\r\n \"_etag\": \"\\\"00003300-0000-0200-0000-60884f040000\\\"\",\r\n \"_ts\": 1619545860\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIwMDEvbW9uZ29kYkRhdGFiYXNlcy9kYXRhYmFzZU5hbWUzNjY4P2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIwMDEvbW9uZ29kYkRhdGFiYXNlcy9kYXRhYmFzZU5hbWUzNjY4P2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "1bac050b-60a9-4894-80af-35ebe3b39917" + "9450866a-99f6-4683-9814-c54da35b4e39" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -288,19 +495,19 @@ "11997" ], "x-ms-request-id": [ - "b10104ae-947e-4fb8-b491-f80a837aca61" + "bc43a898-87ce-4ce4-9ecd-6f9fce066b52" ], "x-ms-correlation-request-id": [ - "b10104ae-947e-4fb8-b491-f80a837aca61" + "bc43a898-87ce-4ce4-9ecd-6f9fce066b52" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180655Z:b10104ae-947e-4fb8-b491-f80a837aca61" + "WESTUS:20210427T175126Z:bc43a898-87ce-4ce4-9ecd-6f9fce066b52" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:06:54 GMT" + "Tue, 27 Apr 2021 17:51:26 GMT" ], "Content-Length": [ "417" @@ -309,26 +516,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases\",\r\n \"name\": \"databaseName3668\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName3668\",\r\n \"_rid\": \"MIBgAA==\",\r\n \"_etag\": \"\\\"00002200-0000-0200-0000-603ef02d0000\\\"\",\r\n \"_ts\": 1614737453\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases\",\r\n \"name\": \"databaseName3668\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName3668\",\r\n \"_rid\": \"20hdAA==\",\r\n \"_etag\": \"\\\"00003300-0000-0200-0000-60884f040000\\\"\",\r\n \"_ts\": 1619545860\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName23668?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIwMDEvbW9uZ29kYkRhdGFiYXNlcy9kYXRhYmFzZU5hbWUyMzY2OD9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName23668?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIwMDEvbW9uZ29kYkRhdGFiYXNlcy9kYXRhYmFzZU5hbWUyMzY2OD9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "PUT", "RequestBody": "{\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName23668\"\r\n },\r\n \"options\": {\r\n \"throughput\": 700\r\n }\r\n }\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "d4aed2d4-3874-4994-a4d7-5130548d3940" + "08a534f3-0ee3-45c5-9bec-fd01226ecd28" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -345,13 +552,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName23668/operationResults/2c4ab4f7-782b-4de0-8a36-4571dddb0dee?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName23668/operationResults/2895e18a-a169-4523-8d59-5d6a487cd1bc?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/2c4ab4f7-782b-4de0-8a36-4571dddb0dee?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/2895e18a-a169-4523-8d59-5d6a487cd1bc?api-version=2021-04-15" ], "x-ms-request-id": [ - "2c4ab4f7-782b-4de0-8a36-4571dddb0dee" + "2895e18a-a169-4523-8d59-5d6a487cd1bc" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -366,16 +573,16 @@ "1198" ], "x-ms-correlation-request-id": [ - "3d4acce0-655e-4ed6-b9a4-a2e351a0f2da" + "e2db0a1c-b9cb-4f35-9ae8-990de0a41fae" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180656Z:3d4acce0-655e-4ed6-b9a4-a2e351a0f2da" + "WESTUS:20210427T175127Z:e2db0a1c-b9cb-4f35-9ae8-990de0a41fae" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:06:55 GMT" + "Tue, 27 Apr 2021 17:51:27 GMT" ], "Content-Length": [ "21" @@ -388,16 +595,16 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/2c4ab4f7-782b-4de0-8a36-4571dddb0dee?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzJjNGFiNGY3LTc4MmItNGRlMC04YTM2LTQ1NzFkZGRiMGRlZT9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/2895e18a-a169-4523-8d59-5d6a487cd1bc?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzI4OTVlMThhLWExNjktNDUyMy04ZDU5LTVkNmE0ODdjZDFiYz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -420,19 +627,19 @@ "11996" ], "x-ms-request-id": [ - "ec015da3-8b87-4e03-b31b-d6bd9fa4f5fb" + "8f30c043-7a61-44ae-82b2-1bc10ab9f436" ], "x-ms-correlation-request-id": [ - "ec015da3-8b87-4e03-b31b-d6bd9fa4f5fb" + "8f30c043-7a61-44ae-82b2-1bc10ab9f436" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180726Z:ec015da3-8b87-4e03-b31b-d6bd9fa4f5fb" + "WESTUS:20210427T175157Z:8f30c043-7a61-44ae-82b2-1bc10ab9f436" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:07:26 GMT" + "Tue, 27 Apr 2021 17:51:57 GMT" ], "Content-Length": [ "22" @@ -445,16 +652,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName23668?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIwMDEvbW9uZ29kYkRhdGFiYXNlcy9kYXRhYmFzZU5hbWUyMzY2OD9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName23668?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIwMDEvbW9uZ29kYkRhdGFiYXNlcy9kYXRhYmFzZU5hbWUyMzY2OD9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -477,19 +684,19 @@ "11995" ], "x-ms-request-id": [ - "4088668f-e81c-4c48-a59d-80f07ac688c8" + "97cf7c1b-06eb-4ad2-b93e-bffede0911ff" ], "x-ms-correlation-request-id": [ - "4088668f-e81c-4c48-a59d-80f07ac688c8" + "97cf7c1b-06eb-4ad2-b93e-bffede0911ff" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180726Z:4088668f-e81c-4c48-a59d-80f07ac688c8" + "WESTUS:20210427T175157Z:97cf7c1b-06eb-4ad2-b93e-bffede0911ff" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:07:26 GMT" + "Tue, 27 Apr 2021 17:51:57 GMT" ], "Content-Length": [ "420" @@ -498,26 +705,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName23668\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases\",\r\n \"name\": \"databaseName23668\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName23668\",\r\n \"_rid\": \"syEXAA==\",\r\n \"_etag\": \"\\\"00002400-0000-0200-0000-603ef0500000\\\"\",\r\n \"_ts\": 1614737488\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName23668\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases\",\r\n \"name\": \"databaseName23668\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName23668\",\r\n \"_rid\": \"JxQ0AA==\",\r\n \"_etag\": \"\\\"00003500-0000-0200-0000-60884f280000\\\"\",\r\n \"_ts\": 1619545896\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIwMDEvbW9uZ29kYkRhdGFiYXNlcz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIwMDEvbW9uZ29kYkRhdGFiYXNlcz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "cb920675-4436-4fc1-8642-cf6ab84790b1" + "91dfe18f-a526-4987-864f-1beda1e6199c" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -540,19 +747,19 @@ "11994" ], "x-ms-request-id": [ - "707d4a7d-8a0d-4102-b989-3b8c348acd8b" + "f13de7f4-bd19-4325-bad0-ea40c9469666" ], "x-ms-correlation-request-id": [ - "707d4a7d-8a0d-4102-b989-3b8c348acd8b" + "f13de7f4-bd19-4325-bad0-ea40c9469666" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180726Z:707d4a7d-8a0d-4102-b989-3b8c348acd8b" + "WESTUS:20210427T175157Z:f13de7f4-bd19-4325-bad0-ea40c9469666" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:07:26 GMT" + "Tue, 27 Apr 2021 17:51:57 GMT" ], "Content-Length": [ "850" @@ -561,26 +768,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName23668\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases\",\r\n \"name\": \"databaseName23668\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName23668\",\r\n \"_rid\": \"syEXAA==\",\r\n \"_etag\": \"\\\"00002400-0000-0200-0000-603ef0500000\\\"\",\r\n \"_ts\": 1614737488\r\n }\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases\",\r\n \"name\": \"databaseName3668\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName3668\",\r\n \"_rid\": \"MIBgAA==\",\r\n \"_etag\": \"\\\"00002200-0000-0200-0000-603ef02d0000\\\"\",\r\n \"_ts\": 1614737453\r\n }\r\n }\r\n }\r\n ]\r\n}", + "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName23668\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases\",\r\n \"name\": \"databaseName23668\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName23668\",\r\n \"_rid\": \"JxQ0AA==\",\r\n \"_etag\": \"\\\"00003500-0000-0200-0000-60884f280000\\\"\",\r\n \"_ts\": 1619545896\r\n }\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases\",\r\n \"name\": \"databaseName3668\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName3668\",\r\n \"_rid\": \"20hdAA==\",\r\n \"_etag\": \"\\\"00003300-0000-0200-0000-60884f040000\\\"\",\r\n \"_ts\": 1619545860\r\n }\r\n }\r\n }\r\n ]\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName23668/throughputSettings/default?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIwMDEvbW9uZ29kYkRhdGFiYXNlcy9kYXRhYmFzZU5hbWUyMzY2OC90aHJvdWdocHV0U2V0dGluZ3MvZGVmYXVsdD9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName23668/throughputSettings/default?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIwMDEvbW9uZ29kYkRhdGFiYXNlcy9kYXRhYmFzZU5hbWUyMzY2OC90aHJvdWdocHV0U2V0dGluZ3MvZGVmYXVsdD9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "66f07e80-6f0f-44c6-a494-7b9c383ddf18" + "e96725cf-3c1a-4f80-b456-eb53b506a130" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -603,19 +810,19 @@ "11993" ], "x-ms-request-id": [ - "56d4efea-b804-4c3f-83c9-6ff6ea0ffb6c" + "51d9c157-877a-4b46-9adb-970ad46d23e7" ], "x-ms-correlation-request-id": [ - "56d4efea-b804-4c3f-83c9-6ff6ea0ffb6c" + "51d9c157-877a-4b46-9adb-970ad46d23e7" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180726Z:56d4efea-b804-4c3f-83c9-6ff6ea0ffb6c" + "WESTUS:20210427T175157Z:51d9c157-877a-4b46-9adb-970ad46d23e7" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:07:26 GMT" + "Tue, 27 Apr 2021 17:51:57 GMT" ], "Content-Length": [ "385" @@ -624,26 +831,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName23668/throughputSettings/default\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/throughputSettings\",\r\n \"name\": \"BYQ-\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"throughput\": 700,\r\n \"minimumThroughput\": \"400\"\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName23668/throughputSettings/default\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/throughputSettings\",\r\n \"name\": \"gg7c\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"throughput\": 700,\r\n \"minimumThroughput\": \"400\"\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668/collections/collectionName3668?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIwMDEvbW9uZ29kYkRhdGFiYXNlcy9kYXRhYmFzZU5hbWUzNjY4L2NvbGxlY3Rpb25zL2NvbGxlY3Rpb25OYW1lMzY2OD9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668/collections/collectionName3668?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIwMDEvbW9uZ29kYkRhdGFiYXNlcy9kYXRhYmFzZU5hbWUzNjY4L2NvbGxlY3Rpb25zL2NvbGxlY3Rpb25OYW1lMzY2OD9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "PUT", "RequestBody": "{\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"collectionName3668\",\r\n \"shardKey\": {\r\n \"partitionKey\": \"Hash\"\r\n }\r\n },\r\n \"options\": {}\r\n }\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "79bdcd62-4974-4eb9-b984-b6fe05d6f5b7" + "f7cbbd40-9b1f-40d1-9b7d-b91f77fa6475" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -660,13 +867,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668/collections/collectionName3668/operationResults/e898c0b2-d432-49b0-b44e-004b6d4ca3c9?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668/collections/collectionName3668/operationResults/9dcafcf7-c91f-4842-af80-8a284969fb7e?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e898c0b2-d432-49b0-b44e-004b6d4ca3c9?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/9dcafcf7-c91f-4842-af80-8a284969fb7e?api-version=2021-04-15" ], "x-ms-request-id": [ - "e898c0b2-d432-49b0-b44e-004b6d4ca3c9" + "9dcafcf7-c91f-4842-af80-8a284969fb7e" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -681,16 +888,16 @@ "1197" ], "x-ms-correlation-request-id": [ - "12be5d4c-f05a-4c08-adbd-417df60ceb0c" + "99e98225-a9aa-4eb4-a663-08c2a99c7bb4" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180727Z:12be5d4c-f05a-4c08-adbd-417df60ceb0c" + "WESTUS:20210427T175159Z:99e98225-a9aa-4eb4-a663-08c2a99c7bb4" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:07:27 GMT" + "Tue, 27 Apr 2021 17:51:58 GMT" ], "Content-Length": [ "21" @@ -703,16 +910,16 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e898c0b2-d432-49b0-b44e-004b6d4ca3c9?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2U4OThjMGIyLWQ0MzItNDliMC1iNDRlLTAwNGI2ZDRjYTNjOT9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/9dcafcf7-c91f-4842-af80-8a284969fb7e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzlkY2FmY2Y3LWM5MWYtNDg0Mi1hZjgwLThhMjg0OTY5ZmI3ZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -735,19 +942,19 @@ "11992" ], "x-ms-request-id": [ - "036cff70-becc-43bc-a7e2-c95f0a88add3" + "da25da2e-338c-4fda-b19e-d6a5c2e53529" ], "x-ms-correlation-request-id": [ - "036cff70-becc-43bc-a7e2-c95f0a88add3" + "da25da2e-338c-4fda-b19e-d6a5c2e53529" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180757Z:036cff70-becc-43bc-a7e2-c95f0a88add3" + "WESTUS:20210427T175229Z:da25da2e-338c-4fda-b19e-d6a5c2e53529" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:07:57 GMT" + "Tue, 27 Apr 2021 17:52:28 GMT" ], "Content-Length": [ "22" @@ -760,16 +967,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668/collections/collectionName3668?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIwMDEvbW9uZ29kYkRhdGFiYXNlcy9kYXRhYmFzZU5hbWUzNjY4L2NvbGxlY3Rpb25zL2NvbGxlY3Rpb25OYW1lMzY2OD9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668/collections/collectionName3668?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIwMDEvbW9uZ29kYkRhdGFiYXNlcy9kYXRhYmFzZU5hbWUzNjY4L2NvbGxlY3Rpb25zL2NvbGxlY3Rpb25OYW1lMzY2OD9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -792,19 +999,19 @@ "11991" ], "x-ms-request-id": [ - "6fa844f2-269e-45c2-b70f-134e45b4de99" + "80c9b953-44cd-432f-9afe-c6103fbbdb35" ], "x-ms-correlation-request-id": [ - "6fa844f2-269e-45c2-b70f-134e45b4de99" + "80c9b953-44cd-432f-9afe-c6103fbbdb35" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180758Z:6fa844f2-269e-45c2-b70f-134e45b4de99" + "WESTUS:20210427T175229Z:80c9b953-44cd-432f-9afe-c6103fbbdb35" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:07:57 GMT" + "Tue, 27 Apr 2021 17:52:28 GMT" ], "Content-Length": [ "610" @@ -813,26 +1020,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668/collections/collectionName3668\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections\",\r\n \"name\": \"collectionName3668\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"collectionName3668\",\r\n \"_rid\": \"MIBgAPDgni0=\",\r\n \"_etag\": \"\\\"00003600-0000-0200-0000-603fd0640000\\\"\",\r\n \"_ts\": 1614794852,\r\n \"shardKey\": {\r\n \"partitionKey\": \"Hash\"\r\n },\r\n \"indexes\": [\r\n {\r\n \"key\": {\r\n \"keys\": [\r\n \"_id\"\r\n ]\r\n },\r\n \"options\": {}\r\n },\r\n {\r\n \"key\": {\r\n \"keys\": [\r\n \"DocumentDBDefaultIndex\"\r\n ]\r\n },\r\n \"options\": {}\r\n }\r\n ]\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668/collections/collectionName3668\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections\",\r\n \"name\": \"collectionName3668\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"collectionName3668\",\r\n \"_rid\": \"20hdANzkn7I=\",\r\n \"_etag\": \"\\\"00003900-0000-0200-0000-60884f460000\\\"\",\r\n \"_ts\": 1619545926,\r\n \"shardKey\": {\r\n \"partitionKey\": \"Hash\"\r\n },\r\n \"indexes\": [\r\n {\r\n \"key\": {\r\n \"keys\": [\r\n \"_id\"\r\n ]\r\n },\r\n \"options\": {}\r\n },\r\n {\r\n \"key\": {\r\n \"keys\": [\r\n \"DocumentDBDefaultIndex\"\r\n ]\r\n },\r\n \"options\": {}\r\n }\r\n ]\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668/collections?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIwMDEvbW9uZ29kYkRhdGFiYXNlcy9kYXRhYmFzZU5hbWUzNjY4L2NvbGxlY3Rpb25zP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668/collections?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIwMDEvbW9uZ29kYkRhdGFiYXNlcy9kYXRhYmFzZU5hbWUzNjY4L2NvbGxlY3Rpb25zP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "971a195e-ac00-4289-a315-3d2b11b38dd9" + "298ff12f-03f0-4cd5-b877-2aa626ec5233" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -855,19 +1062,19 @@ "11990" ], "x-ms-request-id": [ - "c36f11e9-b006-4da4-af36-62951e154b1a" + "f3f9edd7-8ad7-43e9-a6a2-447baafe33f5" ], "x-ms-correlation-request-id": [ - "c36f11e9-b006-4da4-af36-62951e154b1a" + "f3f9edd7-8ad7-43e9-a6a2-447baafe33f5" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180758Z:c36f11e9-b006-4da4-af36-62951e154b1a" + "WESTUS:20210427T175229Z:f3f9edd7-8ad7-43e9-a6a2-447baafe33f5" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:07:57 GMT" + "Tue, 27 Apr 2021 17:52:29 GMT" ], "Content-Length": [ "622" @@ -876,7 +1083,7 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668/collections/collectionName3668\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections\",\r\n \"name\": \"collectionName3668\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"collectionName3668\",\r\n \"_rid\": \"MIBgAPDgni0=\",\r\n \"_etag\": \"\\\"00003600-0000-0200-0000-603fd0640000\\\"\",\r\n \"_ts\": 1614794852,\r\n \"shardKey\": {\r\n \"partitionKey\": \"Hash\"\r\n },\r\n \"indexes\": [\r\n {\r\n \"key\": {\r\n \"keys\": [\r\n \"_id\"\r\n ]\r\n },\r\n \"options\": {}\r\n },\r\n {\r\n \"key\": {\r\n \"keys\": [\r\n \"DocumentDBDefaultIndex\"\r\n ]\r\n },\r\n \"options\": {}\r\n }\r\n ]\r\n }\r\n }\r\n }\r\n ]\r\n}", + "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668/collections/collectionName3668\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections\",\r\n \"name\": \"collectionName3668\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"collectionName3668\",\r\n \"_rid\": \"20hdANzkn7I=\",\r\n \"_etag\": \"\\\"00003900-0000-0200-0000-60884f460000\\\"\",\r\n \"_ts\": 1619545926,\r\n \"shardKey\": {\r\n \"partitionKey\": \"Hash\"\r\n },\r\n \"indexes\": [\r\n {\r\n \"key\": {\r\n \"keys\": [\r\n \"_id\"\r\n ]\r\n },\r\n \"options\": {}\r\n },\r\n {\r\n \"key\": {\r\n \"keys\": [\r\n \"DocumentDBDefaultIndex\"\r\n ]\r\n },\r\n \"options\": {}\r\n }\r\n ]\r\n }\r\n }\r\n }\r\n ]\r\n}", "StatusCode": 200 } ], diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/OperationsTests/ListOperationsTest.json b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/OperationsTests/ListOperationsTest.json index 2b074fa8599a..836d2deb7a4a 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/OperationsTests/ListOperationsTest.json +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/OperationsTests/ListOperationsTest.json @@ -1,22 +1,22 @@ { "Entries": [ { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668/collections/collectionName3668?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIwMDEvbW9uZ29kYkRhdGFiYXNlcy9kYXRhYmFzZU5hbWUzNjY4L2NvbGxlY3Rpb25zL2NvbGxlY3Rpb25OYW1lMzY2OD9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510/tables/tableName2510?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI4MTkyL2Nhc3NhbmRyYUtleXNwYWNlcy9rZXlzcGFjZU5hbWUyNTEwL3RhYmxlcy90YWJsZU5hbWUyNTEwP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "DELETE", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "07df59cb-aeae-4d55-a7db-d3c110c146be" + "d4ad12ec-c2e2-4fd5-a06d-4cbc389fcbfd" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -27,13 +27,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668/collections/collectionName3668/operationResults/86b8efad-a1c9-485f-b7c8-97f7b5c3bdf1?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510/tables/tableName2510/operationResults/47f91efc-af4c-4ae4-98a3-ae6cbe6dcce9?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/86b8efad-a1c9-485f-b7c8-97f7b5c3bdf1?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/47f91efc-af4c-4ae4-98a3-ae6cbe6dcce9?api-version=2021-04-15" ], "x-ms-request-id": [ - "86b8efad-a1c9-485f-b7c8-97f7b5c3bdf1" + "47f91efc-af4c-4ae4-98a3-ae6cbe6dcce9" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -48,16 +48,16 @@ "14999" ], "x-ms-correlation-request-id": [ - "2ae32448-3446-4a5c-845a-e02c219cfb26" + "1992c0d9-b03e-4df3-b030-ec8006aa1317" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180758Z:2ae32448-3446-4a5c-845a-e02c219cfb26" + "WESTUS:20210427T174916Z:1992c0d9-b03e-4df3-b030-ec8006aa1317" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:07:58 GMT" + "Tue, 27 Apr 2021 17:49:15 GMT" ], "Content-Length": [ "21" @@ -70,22 +70,22 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIwMDEvbW9uZ29kYkRhdGFiYXNlcy9kYXRhYmFzZU5hbWUzNjY4P2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName22510?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI4MTkyL2Nhc3NhbmRyYUtleXNwYWNlcy9rZXlzcGFjZU5hbWUyMjUxMD9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "DELETE", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "a9bc790d-7368-4e07-b046-d6f899125e00" + "ee9a5f51-431f-4d10-91bf-1f287761840d" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -96,13 +96,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName3668/operationResults/3e69ae18-b45b-4f27-8b7b-1ee7dcea3aed?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName22510/operationResults/f1b8a15b-4fa9-4ddf-8303-e5767c69b47f?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/3e69ae18-b45b-4f27-8b7b-1ee7dcea3aed?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/f1b8a15b-4fa9-4ddf-8303-e5767c69b47f?api-version=2021-04-15" ], "x-ms-request-id": [ - "3e69ae18-b45b-4f27-8b7b-1ee7dcea3aed" + "f1b8a15b-4fa9-4ddf-8303-e5767c69b47f" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -114,19 +114,19 @@ "Microsoft-HTTPAPI/2.0" ], "x-ms-ratelimit-remaining-subscription-deletes": [ - "14998" + "14999" ], "x-ms-correlation-request-id": [ - "022fed12-3eb8-4d56-a1b9-c2713c508d68" + "c22fca1e-ed46-46d4-902a-fb431af3046a" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180759Z:022fed12-3eb8-4d56-a1b9-c2713c508d68" + "WESTCENTRALUS:20210427T174916Z:c22fca1e-ed46-46d4-902a-fb431af3046a" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:07:59 GMT" + "Tue, 27 Apr 2021 17:49:15 GMT" ], "Content-Length": [ "21" @@ -139,22 +139,22 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName23668?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIwMDEvbW9uZ29kYkRhdGFiYXNlcy9kYXRhYmFzZU5hbWUyMzY2OD9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI4MTkyL2Nhc3NhbmRyYUtleXNwYWNlcy9rZXlzcGFjZU5hbWUyNTEwP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "DELETE", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "b679935a-9e6f-497a-8a6f-eac27a5f2bfe" + "1344f468-d3b2-4b34-b0a4-53fe692140bd" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -165,13 +165,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db001/mongodbDatabases/databaseName23668/operationResults/790d3bbb-175f-42bc-80fd-2fb0dc440dd3?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db8192/cassandraKeyspaces/keyspaceName2510/operationResults/6442daee-a2dd-4f02-9b3a-a73c49fcc4d4?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/790d3bbb-175f-42bc-80fd-2fb0dc440dd3?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/6442daee-a2dd-4f02-9b3a-a73c49fcc4d4?api-version=2021-04-15" ], "x-ms-request-id": [ - "790d3bbb-175f-42bc-80fd-2fb0dc440dd3" + "6442daee-a2dd-4f02-9b3a-a73c49fcc4d4" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -186,16 +186,16 @@ "14999" ], "x-ms-correlation-request-id": [ - "8858e2a7-85e9-4147-9eaa-13c82d17355c" + "365d4c18-b99a-4f25-a706-b7fbda1e4444" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180759Z:8858e2a7-85e9-4147-9eaa-13c82d17355c" + "WESTCENTRALUS:20210427T174916Z:365d4c18-b99a-4f25-a706-b7fbda1e4444" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:07:58 GMT" + "Tue, 27 Apr 2021 17:49:15 GMT" ], "Content-Length": [ "21" @@ -208,22 +208,22 @@ "StatusCode": 202 }, { - "RequestUri": "/providers/Microsoft.DocumentDB/operations?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9vcGVyYXRpb25zP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/providers/Microsoft.DocumentDB/operations?api-version=2021-04-15", + "EncodedRequestUri": "L3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9vcGVyYXRpb25zP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "66225f8e-713e-4444-acf3-7081c8b7ec1d" + "2d64201d-2071-4697-a6cf-8976cc741cd3" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -246,28 +246,28 @@ "11999" ], "x-ms-request-id": [ - "c4f0da44-d3fb-455a-8d5a-27307d378338" + "6268cb56-48d1-421c-bc43-7671249e7587" ], "x-ms-correlation-request-id": [ - "c4f0da44-d3fb-455a-8d5a-27307d378338" + "6268cb56-48d1-421c-bc43-7671249e7587" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T180800Z:c4f0da44-d3fb-455a-8d5a-27307d378338" + "WESTCENTRALUS:20210427T174916Z:6268cb56-48d1-421c-bc43-7671249e7587" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 18:08:00 GMT" + "Tue, 27 Apr 2021 17:49:16 GMT" ], "Content-Length": [ - "144537" + "144872" ], "Content-Type": [ "application/json" ] }, - "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Database\",\r\n \"Operation\": \"Write SQL database\",\r\n \"Description\": \"Create a SQL database.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Database\",\r\n \"Operation\": \"Read SQL database(s)\",\r\n \"Description\": \"Read a SQL database or list all the SQL databases.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Database\",\r\n \"Operation\": \"Delete SQL database\",\r\n \"Description\": \"Delete a SQL database.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Database\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Container\",\r\n \"Operation\": \"Write SQL container\",\r\n \"Description\": \"Create or update a SQL container.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Container\",\r\n \"Operation\": \"Read SQL container(s)\",\r\n \"Description\": \"Read a SQL container or list all the SQL containers.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Container\",\r\n \"Operation\": \"Delete SQL container\",\r\n \"Description\": \"Delete a SQL container.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Container\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/storedProcedures/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Stored Procedure\",\r\n \"Operation\": \"Write SQL stored procedure\",\r\n \"Description\": \"Create or update a SQL stored procedure.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/storedProcedures/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Stored Procedure\",\r\n \"Operation\": \"Read SQL stored procedure(s)\",\r\n \"Description\": \"Read a SQL stored procedure or list all the SQL stored procedures.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/storedProcedures/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Stored Procedure\",\r\n \"Operation\": \"Delete SQL stored procedure\",\r\n \"Description\": \"Delete a SQL stored procedure.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/storedProcedures/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Stored Procedure\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/userDefinedFunctions/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL User Defined Function\",\r\n \"Operation\": \"Write SQL user defined function\",\r\n \"Description\": \"Create or update a SQL user defined function.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/userDefinedFunctions/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL User Defined Function\",\r\n \"Operation\": \"Read SQL user defined function(s)\",\r\n \"Description\": \"Read a SQL user defined function or list all the SQL user defined functions.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/userDefinedFunctions/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL User Defined Function\",\r\n \"Operation\": \"Delete SQL user defined function\",\r\n \"Description\": \"Delete a SQL user defined function.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/userDefinedFunctions/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL User Defined Function\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/triggers/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Tirgger\",\r\n \"Operation\": \"Write SQL trigger\",\r\n \"Description\": \"Create or update a SQL trigger.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/triggers/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Tirgger\",\r\n \"Operation\": \"Read SQL trigger(s)\",\r\n \"Description\": \"Read a SQL trigger or list all the SQL triggers.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/triggers/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Tirgger\",\r\n \"Operation\": \"Delete SQL trigger\",\r\n \"Description\": \"Delete a SQL trigger.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/triggers/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Tirgger\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/tables/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table\",\r\n \"Operation\": \"Write table\",\r\n \"Description\": \"Create or update a table.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/tables/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table\",\r\n \"Operation\": \"Read table(s)\",\r\n \"Description\": \"Read a table or list all the tables.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/tables/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table\",\r\n \"Operation\": \"Delete table\",\r\n \"Description\": \"Delete a table.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/tables/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Database\",\r\n \"Operation\": \"Write MongoDB database\",\r\n \"Description\": \"Create a MongoDB database.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Database\",\r\n \"Operation\": \"Read MongoDB database(s)\",\r\n \"Description\": \"Read a MongoDB database or list all the MongoDB databases.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Database\",\r\n \"Operation\": \"Delete MongoDB database\",\r\n \"Description\": \"Delete a MongoDB database.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Database\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Collection\",\r\n \"Operation\": \"Write MongoDB collection\",\r\n \"Description\": \"Create or update a MongoDB collection.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Collection\",\r\n \"Operation\": \"Read MongoDB collection(s)\",\r\n \"Description\": \"Read a MongoDB collection or list all the MongoDB collections.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Collection\",\r\n \"Operation\": \"Delete MongoDB collection\",\r\n \"Description\": \"Delete a MongoDB collection.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Collection\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Keyspace\",\r\n \"Operation\": \"Write Cassandra keyspace\",\r\n \"Description\": \"Create a Cassandra keyspace.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Keyspace\",\r\n \"Operation\": \"Read Cassandra keyspace(s)\",\r\n \"Description\": \"Read a Cassandra keyspace or list all the Cassandra keyspaces.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Keyspace\",\r\n \"Operation\": \"Delete Cassandra keyspace\",\r\n \"Description\": \"Delete a Cassandra keyspace.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Keyspace\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Table\",\r\n \"Operation\": \"Write Cassandra table\",\r\n \"Description\": \"Create or update a Cassandra table.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Table\",\r\n \"Operation\": \"Read Cassandra table(s)\",\r\n \"Description\": \"Read a Cassandra table or list all the Cassandra tables.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Table\",\r\n \"Operation\": \"Delete Cassandra table\",\r\n \"Description\": \"Delete a Cassandra table.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Table\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Database\",\r\n \"Operation\": \"Write Gremlin database\",\r\n \"Description\": \"Create a Gremlin database.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Database\",\r\n \"Operation\": \"Read Gremlin database(s)\",\r\n \"Description\": \"Read a Gremlin database or list all the Gremlin databases.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Database\",\r\n \"Operation\": \"Delete Gremlin database\",\r\n \"Description\": \"Delete a Gremlin database.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Database\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Graph\",\r\n \"Operation\": \"Write Gremlin graph\",\r\n \"Description\": \"Create or update a Gremlin graph.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Graph\",\r\n \"Operation\": \"Read Gremlin graph(s)\",\r\n \"Description\": \"Read a Gremlin graph or list all the Gremlin graphs.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Graph\",\r\n \"Operation\": \"Delete Gremlin graph\",\r\n \"Description\": \"Delete a Gremlin graph.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Graph\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/throughputSettings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Database throughput setting\",\r\n \"Operation\": \"Write SQL database throughput\",\r\n \"Description\": \"Update a SQL database throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/throughputSettings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Database throughput setting\",\r\n \"Operation\": \"Read SQL database throughput\",\r\n \"Description\": \"Read a SQL database throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/throughputSettings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Database throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/throughputSettings/migrateToAutoscale/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Database throughput setting\",\r\n \"Operation\": \"Migrate SQL database offer to autoscale\",\r\n \"Description\": \"Migrate SQL database offer to autoscale.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/throughputSettings/migrateToManualThroughput/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Database throughput setting\",\r\n \"Operation\": \"Migrate a SQL database throughput offer to manual throughput\",\r\n \"Description\": \"Migrate a SQL database throughput offer to manual throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/throughputSettings/migrateToAutoscale/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Database throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/throughputSettings/migrateToManualThroughput/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Database throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/throughputSettings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Container throughput setting\",\r\n \"Operation\": \"Write SQL container throughput\",\r\n \"Description\": \"Update a SQL container throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/throughputSettings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Container throughput setting\",\r\n \"Operation\": \"Read SQL container throughput\",\r\n \"Description\": \"Read a SQL container throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/throughputSettings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Container throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/throughputSettings/migrateToAutoscale/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Container throughput setting\",\r\n \"Operation\": \"Migrate SQL container offer to autoscale\",\r\n \"Description\": \"Migrate SQL container offer to autoscale.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/throughputSettings/migrateToManualThroughput/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Container throughput setting\",\r\n \"Operation\": \"Migrate a SQL database throughput offer to manual throughput\",\r\n \"Description\": \"Migrate a SQL database throughput offer to manual throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/throughputSettings/migrateToAutoscale/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Container throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/throughputSettings/migrateToManualThroughput/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Container throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/tables/throughputSettings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"Write table throughput\",\r\n \"Description\": \"Update a table throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/tables/throughputSettings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"Read table throughput\",\r\n \"Description\": \"Read a table throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/tables/throughputSettings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/tables/throughputSettings/migrateToAutoscale/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"Migrate table offer to autoscale\",\r\n \"Description\": \"Migrate table offer to autoscale.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/tables/throughputSettings/migrateToManualThroughput/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"Migrate table offer to to manual throughput\",\r\n \"Description\": \"Migrate table offer to to manual throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/tables/throughputSettings/migrateToAutoscale/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/tables/throughputSettings/migrateToManualThroughput/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/throughputSettings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Database throughput setting\",\r\n \"Operation\": \"Write MongoDB database throughput\",\r\n \"Description\": \"Update a MongoDB database throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/throughputSettings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Database throughput setting\",\r\n \"Operation\": \"Read MongoDB database throughput\",\r\n \"Description\": \"Read a MongoDB database throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/throughputSettings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Database throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/throughputSettings/migrateToAutoscale/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Database throughput setting\",\r\n \"Operation\": \"Migrate MongoDB database offer to autoscale\",\r\n \"Description\": \"Migrate MongoDB database offer to autoscale.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/throughputSettings/migrateToManualThroughput/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Database throughput setting\",\r\n \"Operation\": \"Migrate MongoDB database offer to to manual throughput\",\r\n \"Description\": \"Migrate MongoDB database offer to to manual throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/throughputSettings/migrateToAutoscale/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Database throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/throughputSettings/migrateToManualThroughput/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Database throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections/throughputSettings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Collection throughput setting\",\r\n \"Operation\": \"Write MongoDB collection throughput\",\r\n \"Description\": \"Update a MongoDB collection throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections/throughputSettings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Collection throughput setting\",\r\n \"Operation\": \"Read MongoDB collection throughput\",\r\n \"Description\": \"Read a MongoDB collection throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections/throughputSettings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Collection throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections/throughputSettings/migrateToAutoscale/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB collection throughput setting\",\r\n \"Operation\": \"Migrate MongoDB collection offer to autoscale\",\r\n \"Description\": \"Migrate MongoDB collection offer to autoscale.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections/throughputSettings/migrateToManualThroughput/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB collection throughput setting\",\r\n \"Operation\": \"Migrate MongoDB collection offer to to manual throughput\",\r\n \"Description\": \"Migrate MongoDB collection offer to to manual throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections/throughputSettings/migrateToAutoscale/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB collection throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections/throughputSettings/migrateToManualThroughput/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB collection throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/throughputSettings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Keyspace throughput setting\",\r\n \"Operation\": \"Write Cassandra keyspace throughput\",\r\n \"Description\": \"Update a Cassandra keyspace throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/throughputSettings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Keyspace throughput setting\",\r\n \"Operation\": \"Read Cassandra keyspace throughput\",\r\n \"Description\": \"Read a Cassandra keyspace throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/throughputSettings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Keyspace throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/throughputSettings/migrateToAutoscale/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra keyspace throughput setting\",\r\n \"Operation\": \"Migrate Cassandra keyspace offer to autoscale\",\r\n \"Description\": \"Migrate Cassandra keyspace offer to autoscale.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/throughputSettings/migrateToManualThroughput/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra keyspace throughput setting\",\r\n \"Operation\": \"Migrate Cassandra keyspace offer to to manual throughput\",\r\n \"Description\": \"Migrate Cassandra keyspace offer to to manual throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/throughputSettings/migrateToAutoscale/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra keyspace throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/throughputSettings/migrateToManualThroughput/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra keyspace throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables/throughputSettings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Table throughput setting\",\r\n \"Operation\": \"Write Cassandra table throughput\",\r\n \"Description\": \"Update a Cassandra table throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables/throughputSettings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Table throughput setting\",\r\n \"Operation\": \"Read Cassandra table throughput\",\r\n \"Description\": \"Read a Cassandra table throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables/throughputSettings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Table throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables/throughputSettings/migrateToAutoscale/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra table throughput setting\",\r\n \"Operation\": \"Migrate Cassandra table offer to autoscale\",\r\n \"Description\": \"Migrate Cassandra table offer to autoscale.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables/throughputSettings/migrateToManualThroughput/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra table throughput setting\",\r\n \"Operation\": \"Migrate Cassandra table offer to to manual throughput\",\r\n \"Description\": \"Migrate Cassandra table offer to to manual throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables/throughputSettings/migrateToAutoscale/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra table throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables/throughputSettings/migrateToManualThroughput/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra table throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/throughputSettings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Database throughput setting\",\r\n \"Operation\": \"Write Gremlin database throughput\",\r\n \"Description\": \"Update a Gremlin database throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/throughputSettings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Database throughput setting\",\r\n \"Operation\": \"Read Gremlin database throughput\",\r\n \"Description\": \"Read a Gremlin database throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/throughputSettings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Database throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/throughputSettings/migrateToAutoscale/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Database throughput setting\",\r\n \"Operation\": \"Migrate Gremlin Database offer to autoscale\",\r\n \"Description\": \"Migrate Gremlin Database offer to autoscale.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/throughputSettings/migrateToManualThroughput/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Database throughput setting\",\r\n \"Operation\": \"Migrate Gremlin Database offer to to manual throughput\",\r\n \"Description\": \"Migrate Gremlin Database offer to to manual throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/throughputSettings/migrateToAutoscale/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Database throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/throughputSettings/migrateToManualThroughput/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Database throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs/throughputSettings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Graph throughput setting\",\r\n \"Operation\": \"Write Gremlin graph throughput\",\r\n \"Description\": \"Update a Gremlin graph throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs/throughputSettings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Graph throughput setting\",\r\n \"Operation\": \"Read Gremlin graph throughput\",\r\n \"Description\": \"Read a Gremlin graph throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs/throughputSettings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Graph throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs/throughputSettings/migrateToAutoscale/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin graph throughput setting\",\r\n \"Operation\": \"Migrate Gremlin graph offer to autoscale\",\r\n \"Description\": \"Migrate Gremlin graph offer to autoscale.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs/throughputSettings/migrateToManualThroughput/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin graph throughput setting\",\r\n \"Operation\": \"Migrate Gremlin graph offer to to manual throughput\",\r\n \"Description\": \"Migrate Gremlin graph offer to to manual throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs/throughputSettings/migrateToAutoscale/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin graph throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs/throughputSettings/migrateToManualThroughput/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin graph throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write database\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Create a database. Only applicable to API types: 'sql', 'mongodb', 'gremlin'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read database(s)\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a database or list all the databases. Only applicable to API types: 'sql', 'mongodb', 'gremlin'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete database\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete a database. Only applicable to API types: 'sql', 'mongodb', 'gremlin'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'sql', 'mongodb', 'gremlin'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/containers/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Container\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write container\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Create or update a container. Only applicable to API types: 'sql'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/containers/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Container\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read container(s)\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a container or list all the containers. Only applicable to API types: 'sql'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/containers/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Container\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete container\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete a container. Only applicable to API types: 'sql'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/containers/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Container\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'sql'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/tables/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write table\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Create or update a table. Only applicable to API types: 'table'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/tables/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read table(s)\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a table or list all the tables. Only applicable to API types: 'table'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/tables/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete table\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete a table. Only applicable to API types: 'table'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/tables/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'table'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/collections/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Collection\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write collection\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Create or update a collection. Only applicable to API types: 'mongodb'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/collections/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Collection\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read collection(s)\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a collection or list all the collections. Only applicable to API types: 'mongodb'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/collections/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Collection\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete collection\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete a collection. Only applicable to API types: 'mongodb'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/collections/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Collection\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'mongodb'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Keyspace\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write keyspace\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Create a keyspace. Only applicable to API types: 'cassandra'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Keyspace\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read keyspace(s)\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a keyspace or list all the keyspaces. Only applicable to API types: 'cassandra'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Keyspace\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete keyspace\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete a keyspace. Only applicable to API types: 'cassandra'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Keyspace\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'cassandra'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/tables/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write table\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Create or update a table. Only applicable to API types: 'cassandra'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/tables/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read table(s)\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a table or list all the tables. Only applicable to API types: 'cassandra'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/tables/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete table\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete a table. Only applicable to API types: 'cassandra'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/tables/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'cassandra'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/graphs/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Graph\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write graph\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Create or update a graph. Only applicable to API types: 'gremlin'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/graphs/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Graph\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read graph(s)\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a graph or list all the graphs. Only applicable to API types: 'gremlin'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/graphs/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Graph\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete graph\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete a graph. Only applicable to API types: 'gremlin'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/graphs/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Graph\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'gremlin'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/settings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write database throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Update a database throughput. Only applicable to API types: 'sql', 'mongodb', 'gremlin'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/settings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read database throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a database throughput. Only applicable to API types: 'sql', 'mongodb', 'gremlin'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/settings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'sql', 'mongodb', 'gremlin'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/containers/settings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Container throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write container throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Update a container throughput. Only applicable to API types: 'sql'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/containers/settings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Container throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read container throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a container throughput. Only applicable to API types: 'sql'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/containers/settings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Container throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'sql'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/tables/settings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write table throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Update a table throughput. Only applicable to API types: 'table'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/tables/settings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read table throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a table throughput. Only applicable to API types: 'table'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/tables/settings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'table'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/collections/settings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Collection throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write collection throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Update a collection throughput. Only applicable to API types: 'mongodb'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/collections/settings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Collection throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read collection throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a collection throughput. Only applicable to API types: 'mongodb'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/collections/settings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Collection throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'mongodb'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/settings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Keyspace throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write keyspace throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Update a keyspace throughput. Only applicable to API types: 'cassandra'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/settings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Keyspace throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read keyspace throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a keyspace throughput. Only applicable to API types: 'cassandra'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/settings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Keyspace throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'cassandra'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/tables/settings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write table throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Update a table throughput. Only applicable to API types: 'cassandra'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/tables/settings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read table throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a table throughput. Only applicable to API types: 'cassandra'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/tables/settings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'cassandra'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/graphs/settings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Graph throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write gremlin throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Update a graph throughput. Only applicable to API types: 'gremlin'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/graphs/settings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Graph throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read graph throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a graph throughput. Only applicable to API types: 'gremlin'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/graphs/settings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Graph throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'gremlin'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Operation Result\",\r\n \"Operation\": \"Read operation status\",\r\n \"Description\": \"Read status of the asynchronous operation\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccountNames/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account Names\",\r\n \"Operation\": \"Read database account names\",\r\n \"Description\": \"Checks for name availability.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Read database account\",\r\n \"Description\": \"Reads a database account.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Update database account\",\r\n \"Description\": \"Update a database accounts.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/listKeys/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"List keys\",\r\n \"Description\": \"List keys of a database account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/readonlykeys/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account readonly keys\",\r\n \"Operation\": \"Read database account readonly keys\",\r\n \"Description\": \"Reads the database account readonly keys.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/readonlykeys/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account readonly keys\",\r\n \"Operation\": \"Read database account readonly keys\",\r\n \"Description\": \"Reads the database account readonly keys.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/regenerateKey/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Rotate keys\",\r\n \"Description\": \"Rotate keys of a database account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/listConnectionStrings/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Get Connection Strings\",\r\n \"Description\": \"Get the connection strings for a database account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/changeResourceGroup/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Change resource group\",\r\n \"Description\": \"Change resource group of a database account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/failoverPriorityChange/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Manual Failover\",\r\n \"Description\": \"Change failover priorities of regions of a database account. This is used to perform manual failover operation\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/offlineRegion/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Offline Region\",\r\n \"Description\": \"Offline a region of a database account. \"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/onlineRegion/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Online Region\",\r\n \"Description\": \"Online a region of a database account.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Delete database accounts\",\r\n \"Description\": \"Deletes the database accounts.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Read operation status\",\r\n \"Description\": \"Read status of the asynchronous operation\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/percentile/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account latencies\",\r\n \"Operation\": \"Read latency percentiles\",\r\n \"Description\": \"Read percentiles of replication latencies\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/percentile/metrics/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account metrics\",\r\n \"Operation\": \"Read latency metrics\",\r\n \"Description\": \"Read latency metrics\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/percentile/targetRegion/metrics/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account metrics for a specific target region\",\r\n \"Operation\": \"Read latency metricsfor a specific target region\",\r\n \"Description\": \"Read latency metrics for a specific target region\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/percentile/sourceRegion/targetRegion/metrics/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account metrics for a specific source and target region\",\r\n \"Operation\": \"Read latency metrics for a specific source and target region\",\r\n \"Description\": \"Read latency metrics for a specific source and target region\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/databases/collections/partitions/usages/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account partition usages\",\r\n \"Operation\": \"Read database account partition level usages\",\r\n \"Description\": \"Read database account partition level usages\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/getBackupPolicy/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database\",\r\n \"Operation\": \"Get BackupPolicy\",\r\n \"Description\": \"Get the backup policy of database account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/metricDefinitions/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account metric definitions\",\r\n \"Operation\": \"Read database account metrics definitions\",\r\n \"Description\": \"Reads the database account metrics definitions.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/metrics/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account metrics\",\r\n \"Operation\": \"Read database account metrics\",\r\n \"Description\": \"Reads the database account metrics.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/usages/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account usages\",\r\n \"Operation\": \"Read database account usages\",\r\n \"Description\": \"Reads the database account usages.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/databases/metricDefinitions/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database metric definitions\",\r\n \"Operation\": \"Read database metric definitions\",\r\n \"Description\": \"Reads the database metric definitions\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/databases/metrics/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database metrics\",\r\n \"Operation\": \"Read database metrics\",\r\n \"Description\": \"Reads the database metrics.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/databases/usages/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database usages\",\r\n \"Operation\": \"Read database usages\",\r\n \"Description\": \"Reads the database usages.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/databases/collections/metricDefinitions/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Collection metric definitions\",\r\n \"Operation\": \"Read collection metric definitions\",\r\n \"Description\": \"Reads the collection metric definitions.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/databases/collections/metrics/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Collection metrics\",\r\n \"Operation\": \"Read collection metrics\",\r\n \"Description\": \"Reads the collection metrics.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/databases/collections/usages/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Collection usages\",\r\n \"Operation\": \"Read collection usages\",\r\n \"Description\": \"Reads the collection usages.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/region/metrics/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account and Region metrics\",\r\n \"Operation\": \"Read region database account metrics\",\r\n \"Description\": \"Reads the region and database account metrics.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/region/databases/collections/metrics/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Regional Collection metrics\",\r\n \"Operation\": \"Read regional collection metrics\",\r\n \"Description\": \"Reads the regional collection metrics.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/region/databases/collections/partitions/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Regional Database Account Collection partitions\",\r\n \"Operation\": \"Read regional database account partitions in a collection\",\r\n \"Description\": \"Read regional database account partitions in a collection\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/databases/collections/partitions/metrics/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account partition metrics\",\r\n \"Operation\": \"Read database account partition level metrics\",\r\n \"Description\": \"Read database account partition level metrics\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/region/databases/collections/partitions/metrics/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Regional Database Account partition metrics\",\r\n \"Operation\": \"Read regional database account partition level metrics\",\r\n \"Description\": \"Read regional database account partition level metrics\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/region/databases/collections/partitionKeyRangeId/metrics/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Regional Database Account partition key metrics\",\r\n \"Operation\": \"Read regional database account partition key level metrics\",\r\n \"Description\": \"Read regional database account partition key level metrics\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/databases/collections/partitionKeyRangeId/metrics/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account partition key metrics\",\r\n \"Operation\": \"Read database account partition key level metrics\",\r\n \"Description\": \"Read database account partition key level metrics\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/databases/collections/partitions/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account Collection partitions\",\r\n \"Operation\": \"Read database account partitions in a collection\",\r\n \"Description\": \"Read database account partitions in a collection\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/register/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"\",\r\n \"Operation\": \"Register Microsoft DocumentDB resource provider\",\r\n \"Description\": \" Register the Microsoft DocumentDB resource provider for the subscription\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/operations/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"operations\",\r\n \"Operation\": \"List operations\",\r\n \"Description\": \"Read operations available for the Microsoft DocumentDB \"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/PrivateEndpointConnectionsApproval/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account Private Endpoint Connection Approval\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/PrivateEndpointConnectionsApproval/action\",\r\n \"Description\": \"Manage a private endpoint connection of Database Account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnectionProxies/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account Private Endpoint Connection Proxy\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnectionProxies/read\",\r\n \"Description\": \"Read a private endpoint connection proxy of Database Account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnectionProxies/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account Private Endpoint Connection Proxy\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnectionProxies/write\",\r\n \"Description\": \"Create or update a private endpoint connection proxy of Database Account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnectionProxies/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account Private Endpoint Connection Proxy\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnectionProxies/delete\",\r\n \"Description\": \"Delete a private endpoint connection proxy of Database Account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnectionProxies/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Operation Result\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnectionProxies/operationResults/read\",\r\n \"Description\": \"Read Status of private endpoint connection proxy asynchronous operation\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnectionProxies/validate/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account Private Endpoint Connection Proxy\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnectionProxies/validate/action\",\r\n \"Description\": \"Validate a private endpoint connection proxy of Database Account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnections/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account Private Endpoint Connection\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnections/read\",\r\n \"Description\": \"Read a private endpoint connection or list all the private endpoint connections of a Database Account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnections/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account Private Endpoint Connection\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnections/write\",\r\n \"Description\": \"Create or update a private endpoint connection of a Database Account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnections/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account Private Endpoint Connection\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnections/delete\",\r\n \"Description\": \"Delete a private endpoint connection of a Database Account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnections/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Operation Result\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnections/operationResults/read\",\r\n \"Description\": \"Read Status of privateEndpointConnenctions asynchronous operation\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/privateLinkResources/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account Private Link Resource\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/privateLinkResources/read\",\r\n \"Description\": \"Read a private link resource or list all the private link resources of a Database Account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/locations/operationsStatus/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Asynchronous Operations\",\r\n \"Operation\": \"Microsoft.DocumentDB/locations/operationsStatus/read\",\r\n \"Description\": \"Reads Status of Asynchronous Operations\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/locations/deleteVirtualNetworkOrSubnets/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Microsoft.DocumentDB/locations/deleteVirtualNetworkOrSubnets/action\",\r\n \"Description\": \"Notifies Microsoft.DocumentDB that VirtualNetwork or Subnet is being deleted\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/locations/deleteVirtualNetworkOrSubnets/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Operation Result\",\r\n \"Operation\": \"Microsoft.DocumentDB/locations/deleteVirtualNetworkOrSubnets/operationResults/read\",\r\n \"Description\": \"Read Status of deleteVirtualNetworkOrSubnets asynchronous operation\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/restore/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/restore/action\",\r\n \"Description\": \"Submit a restore request\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/backup/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/backup/action\",\r\n \"Description\": \"Submit a request to configure backup\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/notebookWorkspaces/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Notebook Workspace\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/notebookWorkspaces/write\",\r\n \"Description\": \"Create or update a notebook workspace\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/notebookWorkspaces/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Notebook Workspace\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/notebookWorkspaces/read\",\r\n \"Description\": \"Read a notebook workspace\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/notebookWorkspaces/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Notebook Workspace\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/notebookWorkspaces/delete\",\r\n \"Description\": \"Delete a notebook workspace\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/notebookWorkspaces/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Operation Result\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/notebookWorkspaces/operationResults/read\",\r\n \"Description\": \"Read the status of an asynchronous operation on notebook workspaces\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/notebookWorkspaces/listConnectionInfo/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Notebook Workspace\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/notebookWorkspaces/listConnectionInfo/action\",\r\n \"Description\": \"List the connection info for a notebook workspace\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Restorable database account\",\r\n \"Operation\": \"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/read\",\r\n \"Description\": \"Read a restorable database account or List all the restorable database accounts\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/restore/action \",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Restore action on restorable database account\",\r\n \"Operation\": \"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/restore/action\",\r\n \"Description\": \"Submit a restore request\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/cassandraClusters/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Managed Cassandra cluster\",\r\n \"Operation\": \"Microsoft.DocumentDB/cassandraClusters/read\",\r\n \"Description\": \"Read a managed Cassandra cluster or list all managed Cassandra clusters\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/cassandraClusters/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Managed Cassandra cluster\",\r\n \"Operation\": \"Microsoft.DocumentDB/cassandraClusters/write\",\r\n \"Description\": \"Create or update a managed Cassandra cluster\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/cassandraClusters/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Managed Cassandra cluster\",\r\n \"Operation\": \"Microsoft.DocumentDB/cassandraClusters/delete\",\r\n \"Description\": \"Delete a managed Cassandra cluster\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/cassandraClusters/repair/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"\",\r\n \"Operation\": \"Microsoft.DocumentDB/cassandraClusters/repair/action\",\r\n \"Description\": \"Request a repair of a managed Cassandra keyspace\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/cassandraClusters/fetchNodeStatus/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"\",\r\n \"Operation\": \"Microsoft.DocumentDB/cassandraClusters/fetchNodeStatus/action\",\r\n \"Description\": \"Asynchronously fetch node status of all nodes in a managed Cassandra cluster\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/cassandraClusters/dataCenters/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Managed Cassandra data center\",\r\n \"Operation\": \"Microsoft.DocumentDB/cassandraClusters/dataCenters/read\",\r\n \"Description\": \"Read a data center in a managed Cassandra cluster or list all data centers in a managed Cassandra cluster\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/cassandraClusters/dataCenters/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Managed Cassandra data center\",\r\n \"Operation\": \"Microsoft.DocumentDB/cassandraClusters/dataCenters/write\",\r\n \"Description\": \"Create or update a data center in a managed Cassandra cluster\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/cassandraClusters/dataCenters/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Managed Cassandra data center\",\r\n \"Operation\": \"Microsoft.DocumentDB/cassandraClusters/dataCenters/delete\",\r\n \"Description\": \"Delete a data center in a managed Cassandra cluster\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleDefinitions/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Role Definition\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleDefinitions/read\",\r\n \"Description\": \"Read a SQL Role Definition\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleDefinitions/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Role Definition\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleDefinitions/write\",\r\n \"Description\": \"Create or update a SQL Role Definition\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleDefinitions/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Role Definition\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleDefinitions/delete\",\r\n \"Description\": \"Delete a SQL Role Definition\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Role Assignment\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments/read\",\r\n \"Description\": \"Read a SQL Role Assignment\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Role Assignment\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments/write\",\r\n \"Description\": \"Create or update a SQL Role Assignment\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Role Assignment\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments/delete\",\r\n \"Description\": \"Delete a SQL Role Assignment\"\r\n }\r\n },\r\n {\r\n \"origin\": \"system\",\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/providers/Microsoft.Insights/logDefinitions/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Read database account log definitions\",\r\n \"Description\": \"Gets the available log catageries for Database Account\"\r\n },\r\n \"properties\": {\r\n \"serviceSpecification\": {\r\n \"logSpecifications\": [\r\n {\r\n \"name\": \"DataPlaneRequests\",\r\n \"displayName\": \"DataPlaneRequests\",\r\n \"blobDuration\": \"PT1H\"\r\n },\r\n {\r\n \"name\": \"MongoRequests\",\r\n \"displayName\": \"MongoRequests\",\r\n \"blobDuration\": \"PT1H\"\r\n },\r\n {\r\n \"name\": \"QueryRuntimeStatistics\",\r\n \"displayName\": \"QueryRuntimeStatistics\",\r\n \"blobDuration\": \"PT1H\"\r\n },\r\n {\r\n \"name\": \"PartitionKeyStatistics\",\r\n \"displayName\": \"PartitionKeyStatistics\",\r\n \"blobDuration\": \"PT1H\"\r\n },\r\n {\r\n \"name\": \"PartitionKeyRUConsumption\",\r\n \"displayName\": \"PartitionKeyRUConsumption\",\r\n \"blobDuration\": \"PT1H\"\r\n },\r\n {\r\n \"name\": \"ControlPlaneRequests\",\r\n \"displayName\": \"ControlPlaneRequests\",\r\n \"blobDuration\": \"PT1H\"\r\n },\r\n {\r\n \"name\": \"CassandraRequests\",\r\n \"displayName\": \"CassandraRequests\",\r\n \"blobDuration\": \"PT1H\"\r\n },\r\n {\r\n \"name\": \"GremlinRequests\",\r\n \"displayName\": \"GremlinRequests\",\r\n \"blobDuration\": \"PT1H\"\r\n }\r\n ]\r\n }\r\n }\r\n },\r\n {\r\n \"origin\": \"system\",\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/providers/Microsoft.Insights/diagnosticSettings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Write diagnostic setting\",\r\n \"Description\": \"Gets the diagnostic setting for the resource\"\r\n }\r\n },\r\n {\r\n \"origin\": \"system\",\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/providers/Microsoft.Insights/diagnosticSettings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Write diagnostic setting\",\r\n \"Description\": \"Creates or updates the diagnostic setting for the resource\"\r\n }\r\n },\r\n {\r\n \"origin\": \"system\",\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/providers/Microsoft.Insights/metricDefinitions/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDb\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Get database account metric definitions\",\r\n \"Description\": \"Gets the available metrics for the database Account\"\r\n },\r\n \"properties\": {\r\n \"serviceSpecification\": {\r\n \"metricSpecifications\": [\r\n {\r\n \"name\": \"CreateAccount\",\r\n \"displayName\": \"Account Created\",\r\n \"internalMetricName\": \"CreateAccount\",\r\n \"displayDescription\": \"Account Created\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": []\r\n },\r\n {\r\n \"name\": \"CassandraKeyspaceUpdate\",\r\n \"displayName\": \"Cassandra Keyspace Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Cassandra Keyspace Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Keyspace Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"cassandra\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"keyspaces\"\r\n },\r\n {\r\n \"value\": \"cassandrakeyspaces\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Upsert\"\r\n },\r\n {\r\n \"value\": \"Replace\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"GremlinGraphDelete\",\r\n \"displayName\": \"Gremlin Graph Deleted\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Gremlin Graph Deleted\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"internalName\": \"ChildResourceName\",\r\n \"displayName\": \"Graph Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"gremlin\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"graphs\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Delete\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"CassandraTableCreate\",\r\n \"displayName\": \"Cassandra Table Created\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Cassandra Table Created\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"displayName\": \"Keyspace Name\",\r\n \"internalName\": \"ResourceName\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"displayName\": \"Table Name\",\r\n \"internalName\": \"ChildResourceName\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"cassandra\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"tables\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Create\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MetadataRequests\",\r\n \"displayName\": \"Metadata Requests\",\r\n \"internalMetricName\": \"MetadataRequests\",\r\n \"displayDescription\": \"Count of metadata requests. Cosmos DB maintains system metadata collection for each account, that allows you to enumerate collections, databases, etc, and their configurations, free of charge.\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"StatusCode\",\r\n \"internalName\": \"StatusCode\"\r\n },\r\n {\r\n \"name\": \"Role\",\r\n \"internalName\": \"Role\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"MasterCluster0\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"DataUsage\",\r\n \"displayName\": \"Data Usage\",\r\n \"internalMetricName\": \"DataUsage\",\r\n \"displayDescription\": \"Total data usage reported at 5 minutes granularity\",\r\n \"unit\": \"Bytes\",\r\n \"aggregationType\": \"Total\",\r\n \"lockAggregationType\": \"Total\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Total\",\r\n \" Average\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IndexUsage\",\r\n \"displayName\": \"Index Usage\",\r\n \"internalMetricName\": \"IndexUsage\",\r\n \"displayDescription\": \"Total index usage reported at 5 minutes granularity\",\r\n \"unit\": \"Bytes\",\r\n \"aggregationType\": \"Total\",\r\n \"lockAggregationType\": \"Total\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Total\",\r\n \" Average\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"GremlinDatabaseCreate\",\r\n \"displayName\": \"Gremlin Database Created\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Gremlin Database Created\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"displayName\": \"Database Name\",\r\n \"internalName\": \"ResourceName\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"gremlin\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"databases\"\r\n },\r\n {\r\n \"value\": \"gremlindatabases\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Create\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"GremlinGraphUpdate\",\r\n \"displayName\": \"Gremlin Graph Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Gremlin Graph Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"internalName\": \"ChildResourceName\",\r\n \"displayName\": \"Graph Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"gremlin\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"graphs\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Upsert\"\r\n },\r\n {\r\n \"value\": \"Replace\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"CassandraTableDelete\",\r\n \"displayName\": \"Cassandra Table Deleted\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Cassandra Table Deleted\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Keyspace Name\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"internalName\": \"ChildResourceName\",\r\n \"displayName\": \"Table Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"cassandra\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"tables\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Delete\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"CassandraConnectorAvgReplicationLatency\",\r\n \"displayName\": \"Cassandra Connector Average ReplicationLatency\",\r\n \"internalMetricName\": \"AverageReplicationLatencyInMilliseconds\",\r\n \"displayDescription\": \"Cassandra Connector Average ReplicationLatency\",\r\n \"unit\": \"MilliSeconds\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"DatabaseAccount\",\r\n \"supportedAggregationTypes\": [\r\n \"Average\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": []\r\n },\r\n {\r\n \"name\": \"CassandraRequestCharges\",\r\n \"displayName\": \"Cassandra Request Charges\",\r\n \"internalMetricName\": \"CassandraRequestCharges\",\r\n \"displayDescription\": \"RUs consumed for Cassandra requests made\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Total\",\r\n \"lockAggregationType\": \"Total\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Total\",\r\n \"Average\",\r\n \"Minimum\",\r\n \"Maximum\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT1M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"APIType\",\r\n \"internalName\": \"APIType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"CassandraService\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\"\r\n },\r\n {\r\n \"name\": \"ResourceType\",\r\n \"internalName\": \"ResourceType\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"CassandraRequests\",\r\n \"displayName\": \"Cassandra Requests\",\r\n \"internalMetricName\": \"CassandraRequests\",\r\n \"displayDescription\": \"Number of Cassandra requests made\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT1M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"APIType\",\r\n \"internalName\": \"APIType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"CassandraService\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\"\r\n },\r\n {\r\n \"name\": \"ResourceType\",\r\n \"internalName\": \"ResourceType\"\r\n },\r\n {\r\n \"name\": \"ErrorCode\",\r\n \"internalName\": \"ErrorCode\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"DeleteAccount\",\r\n \"displayName\": \"Account Deleted\",\r\n \"internalMetricName\": \"DeleteAccount\",\r\n \"displayDescription\": \"Account Deleted\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": []\r\n },\r\n {\r\n \"name\": \"GremlinDatabaseDelete\",\r\n \"displayName\": \"Gremlin Database Deleted\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Gremlin Database Deleted\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"gremlin\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"databases\"\r\n },\r\n {\r\n \"value\": \"gremlindatabases\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Delete\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoDBDatabaseUpdate\",\r\n \"displayName\": \"Mongo Database Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Mongo Database Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"mongodb\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"databases\"\r\n },\r\n {\r\n \"value\": \"mongodbdatabases\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Upsert\"\r\n },\r\n {\r\n \"value\": \"Replace\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoDatabaseDelete\",\r\n \"displayName\": \"Mongo Database Deleted\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Mongo Database Deleted\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"mongodb\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"databases\"\r\n },\r\n {\r\n \"value\": \"mongodbdatabases\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Delete\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoDatabaseThroughputUpdate\",\r\n \"displayName\": \"Mongo Database Throughput Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Mongo Database Throughput Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"mongodb\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"databases\"\r\n },\r\n {\r\n \"value\": \"mongodbdatabases\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"True\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoRequests\",\r\n \"displayName\": \"Mongo Requests\",\r\n \"internalMetricName\": \"MongoRequests\",\r\n \"displayDescription\": \"Number of Mongo Requests Made\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"CommandName\",\r\n \"internalName\": \"CommandName\"\r\n },\r\n {\r\n \"name\": \"ErrorCode\",\r\n \"internalName\": \"ErrorCode\"\r\n },\r\n {\r\n \"name\": \"Status\",\r\n \"internalName\": \"Status\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoRequestsDelete\",\r\n \"displayName\": \"(deprecated) Mongo Delete Request Rate\",\r\n \"internalMetricName\": \"MongoRequests\",\r\n \"displayDescription\": \"Mongo Delete request per second\",\r\n \"unit\": \"CountPerSecond\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"Average\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Average\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"CommandName\",\r\n \"internalName\": \"CommandName\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Delete\"\r\n },\r\n {\r\n \"value\": \"OP_DELETE\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ErrorCode\",\r\n \"internalName\": \"ErrorCode\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoRequestsInsert\",\r\n \"displayName\": \"(deprecated) Mongo Insert Request Rate\",\r\n \"internalMetricName\": \"MongoRequests\",\r\n \"displayDescription\": \"Mongo Insert count per second\",\r\n \"unit\": \"CountPerSecond\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"Average\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Average\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"CommandName\",\r\n \"internalName\": \"CommandName\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"insert\"\r\n },\r\n {\r\n \"value\": \"OP_INSERT\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ErrorCode\",\r\n \"internalName\": \"ErrorCode\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoRequestsQuery\",\r\n \"displayName\": \"(deprecated) Mongo Query Request Rate\",\r\n \"internalMetricName\": \"MongoRequests\",\r\n \"displayDescription\": \"Mongo Query request per second\",\r\n \"unit\": \"CountPerSecond\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"Average\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Average\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"CommandName\",\r\n \"internalName\": \"CommandName\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"find\"\r\n },\r\n {\r\n \"value\": \"OP_QUERY\"\r\n },\r\n {\r\n \"value\": \"getMore\"\r\n },\r\n {\r\n \"value\": \"OP_GET_MORE\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ErrorCode\",\r\n \"internalName\": \"ErrorCode\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoRequestsUpdate\",\r\n \"displayName\": \"(deprecated) Mongo Update Request Rate\",\r\n \"internalMetricName\": \"MongoRequests\",\r\n \"displayDescription\": \"Mongo Update request per second\",\r\n \"unit\": \"CountPerSecond\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"Average\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Average\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"CommandName\",\r\n \"internalName\": \"CommandName\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"OP_UPDATE\"\r\n },\r\n {\r\n \"value\": \"findandmodify\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ErrorCode\",\r\n \"internalName\": \"ErrorCode\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ServerSideLatency\",\r\n \"displayName\": \"Server Side Latency\",\r\n \"internalMetricName\": \"ServerSideLatency\",\r\n \"displayDescription\": \"Server Side Latency\",\r\n \"unit\": \"MilliSeconds\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"Average\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": false,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Average\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT1M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"ConnectionMode\",\r\n \"internalName\": \"ConnectionMode\"\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\"\r\n },\r\n {\r\n \"name\": \"PublicAPIType\",\r\n \"internalName\": \"PublicAPIType\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"SqlContainerThroughputUpdate\",\r\n \"displayName\": \"Sql Container Throughput Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Sql Container Throughput Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"internalName\": \"ChildResourceName\",\r\n \"displayName\": \"Container Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"sql\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"containers\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"True\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"SqlDatabaseCreate\",\r\n \"displayName\": \"Sql Database Created\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Sql Database Created\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"displayName\": \"Database Name\",\r\n \"internalName\": \"ResourceName\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"sql\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"sqldatabases\"\r\n },\r\n {\r\n \"value\": \"databases\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Create\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"SqlDatabaseThroughputUpdate\",\r\n \"displayName\": \"Sql Database Throughput Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Sql Database Throughput Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"sql\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"databases\"\r\n },\r\n {\r\n \"value\": \"sqldatabases\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"True\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"TableTableCreate\",\r\n \"displayName\": \"AzureTable Table Created\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"AzureTable Table Created\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"displayName\": \"Table Name\",\r\n \"internalName\": \"ResourceName\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"table\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"tables\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Create\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"UpdateAccountKeys\",\r\n \"displayName\": \"Account Keys Updated\",\r\n \"internalMetricName\": \"UpdateAccountKeys\",\r\n \"displayDescription\": \"Account Keys Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"KeyType\",\r\n \"internalName\": \"KeyType\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"TotalRequests\",\r\n \"displayName\": \"Total Requests\",\r\n \"internalMetricName\": \"TotalRequests\",\r\n \"displayDescription\": \"Number of requests made\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"StatusCode\",\r\n \"internalName\": \"StatusCode\"\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\"\r\n },\r\n {\r\n \"name\": \"Status\",\r\n \"internalName\": \"Status\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IntegratedCacheSize\",\r\n \"displayName\": \"IntegratedCacheSize\",\r\n \"internalMetricName\": \"IntegratedCacheSize\",\r\n \"displayDescription\": \"Size of the integrated caches for dedicated gateway requests\",\r\n \"unit\": \"Bytes\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"Average\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": false,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Average\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"CacheType\",\r\n \"internalName\": \"CacheType\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IntegratedCacheEvictedEntriesSize\",\r\n \"displayName\": \"IntegratedCacheEvictedEntriesSize\",\r\n \"internalMetricName\": \"IntegratedCacheEvictedEntriesSize\",\r\n \"displayDescription\": \"Size of the entries evicted from the integrated cache\",\r\n \"unit\": \"Bytes\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"Average\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": false,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Average\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"CacheType\",\r\n \"internalName\": \"CacheType\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"DedicatedGatewayRequests\",\r\n \"displayName\": \"DedicatedGatewayRequests\",\r\n \"internalMetricName\": \"DedicatedGatewayRequests\",\r\n \"displayDescription\": \"Requests at the dedicated gateway\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT1M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"CacheExercised\",\r\n \"internalName\": \"CacheExercised\"\r\n },\r\n {\r\n \"name\": \"OperationName\",\r\n \"internalName\": \"OperationName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"CassandraConnectionClosures\",\r\n \"displayName\": \"Cassandra Connection Closures\",\r\n \"internalMetricName\": \"CassandraConnectionClosures\",\r\n \"displayDescription\": \"Number of Cassandra connections that were closed, reported at a 1 minute granularity\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Total\",\r\n \"lockAggregationType\": \"Count\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Average\",\r\n \" Minimum\",\r\n \" Maximum\",\r\n \" Total\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT1M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"APIType\",\r\n \"internalName\": \"APIType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"CassandraService\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"ClosureReason\",\r\n \"internalName\": \"ClosureReason\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"DocumentQuota\",\r\n \"displayName\": \"Document Quota\",\r\n \"internalMetricName\": \"DocumentQuota\",\r\n \"displayDescription\": \"Total storage quota reported at 5 minutes granularity\",\r\n \"unit\": \"Bytes\",\r\n \"aggregationType\": \"Total\",\r\n \"lockAggregationType\": \"Total\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Total\",\r\n \" Average\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"AvailableStorage\",\r\n \"displayName\": \"(deprecated) Available Storage\",\r\n \"internalMetricName\": \"AvailableStorage\",\r\n \"displayDescription\": \"\\\"Available Storage\\\" will be removed from Azure Monitor at the end of September 2023. Cosmos DB collection storage size is now unlimited. The only restriction is that the storage size for each logical partition key is 20GB. You can enable PartitionKeyStatistics in Diagnostic Log to know the storage consumption for top partition keys. For more info about Cosmos DB storage quota, please check this doc https://docs.microsoft.com/en-us/azure/cosmos-db/concepts-limits. After deprecation, the remaining alert rules still defined on the deprecated metric will be automatically disabled post the deprecation date.\",\r\n \"unit\": \"Bytes\",\r\n \"aggregationType\": \"Total\",\r\n \"lockAggregationType\": \"Total\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Total\",\r\n \" Average\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"DocumentCount\",\r\n \"displayName\": \"Document Count\",\r\n \"internalMetricName\": \"DocumentCount\",\r\n \"displayDescription\": \"Total document count reported at 5 minutes granularity\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Total\",\r\n \"lockAggregationType\": \"Total\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Total\",\r\n \" Average\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"CassandraKeyspaceDelete\",\r\n \"displayName\": \"Cassandra Keyspace Deleted\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Cassandra Keyspace Deleted\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Keyspace Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"cassandra\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"keyspaces\"\r\n },\r\n {\r\n \"value\": \"cassandrakeyspaces\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Delete\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"GremlinGraphCreate\",\r\n \"displayName\": \"Gremlin Graph Created\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Gremlin Graph Created\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"displayName\": \"Database Name\",\r\n \"internalName\": \"ResourceName\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"displayName\": \"Graph Name\",\r\n \"internalName\": \"ChildResourceName\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"gremlin\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"graphs\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Create\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoCollectionDelete\",\r\n \"displayName\": \"Mongo Collection Deleted\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Mongo Collection Deleted\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"internalName\": \"ChildResourceName\",\r\n \"displayName\": \"Collection Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"mongodb\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"collections\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Delete\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoCollectionUpdate\",\r\n \"displayName\": \"Mongo Collection Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Mongo Collection Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"internalName\": \"ChildResourceName\",\r\n \"displayName\": \"Collection Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"mongodb\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"collections\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Upsert\"\r\n },\r\n {\r\n \"value\": \"Replace\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoDBDatabaseCreate\",\r\n \"displayName\": \"Mongo Database Created\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Mongo Database Created\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"displayName\": \"Database Name\",\r\n \"internalName\": \"ResourceName\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"mongodb\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"databases\"\r\n },\r\n {\r\n \"value\": \"mongodbdatabases\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Create\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoRequestsCount\",\r\n \"displayName\": \"(deprecated) Mongo Request Rate\",\r\n \"internalMetricName\": \"MongoRequests\",\r\n \"displayDescription\": \"Mongo request Count per second\",\r\n \"unit\": \"CountPerSecond\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"Average\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Average\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"CommandName\",\r\n \"internalName\": \"CommandName\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"count\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ErrorCode\",\r\n \"internalName\": \"ErrorCode\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"NormalizedRUConsumption\",\r\n \"displayName\": \"Normalized RU Consumption\",\r\n \"internalMetricName\": \"NormalizedRUConsumption\",\r\n \"displayDescription\": \"Max RU consumption percentage per minute\",\r\n \"unit\": \"Percent\",\r\n \"aggregationType\": \"Maximum\",\r\n \"lockAggregationType\": \"Maximum\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Maximum\",\r\n \" Average\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT1M\",\r\n \"PT5M\",\r\n \"PT1H\",\r\n \"P1D\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"PartitionKeyRangeId\",\r\n \"internalName\": \"PartitionKeyRangeId\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"RemoveRegion\",\r\n \"displayName\": \"Region Removed\",\r\n \"internalMetricName\": \"RemoveRegion\",\r\n \"displayDescription\": \"Region Removed\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ServiceAvailability\",\r\n \"displayName\": \"Service Availability\",\r\n \"internalMetricName\": \"ServiceAvailability\",\r\n \"displayDescription\": \"Account requests availability at one hour, day or month granularity\",\r\n \"unit\": \"Percent\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"Average\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": false,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Minimum\",\r\n \"Average\",\r\n \"Maximum\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT1H\"\r\n ],\r\n \"dimensions\": []\r\n },\r\n {\r\n \"name\": \"SqlContainerCreate\",\r\n \"displayName\": \"Sql Container Created\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Sql Container Created\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"displayName\": \"Database Name\",\r\n \"internalName\": \"ResourceName\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"displayName\": \"Container Name\",\r\n \"internalName\": \"ChildResourceName\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"sql\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"containers\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Create\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"SqlContainerDelete\",\r\n \"displayName\": \"Sql Container Deleted\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Sql Container Deleted\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"internalName\": \"ChildResourceName\",\r\n \"displayName\": \"Container Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"sql\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"containers\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Delete\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"SqlContainerUpdate\",\r\n \"displayName\": \"Sql Container Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Sql Container Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"internalName\": \"ChildResourceName\",\r\n \"displayName\": \"Container Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"sql\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"containers\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Upsert\"\r\n },\r\n {\r\n \"value\": \"Replace\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"TableTableDelete\",\r\n \"displayName\": \"AzureTable Table Deleted\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"AzureTable Table Deleted\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Table Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"table\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"tables\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Delete\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"TotalRequestUnits\",\r\n \"displayName\": \"Total Request Units\",\r\n \"internalMetricName\": \"TotalRequestUnits\",\r\n \"displayDescription\": \"Request Units consumed\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Total\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Total\",\r\n \" Average\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"StatusCode\",\r\n \"internalName\": \"StatusCode\"\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\"\r\n },\r\n {\r\n \"name\": \"Status\",\r\n \"internalName\": \"Status\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"UpdateAccountReplicationSettings\",\r\n \"displayName\": \"Account Replication Settings Updated\",\r\n \"internalMetricName\": \"UpdateAccountReplicationSettings\",\r\n \"displayDescription\": \"Account Replication Settings Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": []\r\n },\r\n {\r\n \"name\": \"GremlinDatabaseThroughputUpdate\",\r\n \"displayName\": \"Gremlin Database Throughput Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Gremlin Database Throughput Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"sql\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"databases\"\r\n },\r\n {\r\n \"value\": \"gremlindatabases\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"True\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"AutoscaleMaxThroughput\",\r\n \"displayName\": \"Autoscale Max Throughput\",\r\n \"internalMetricName\": \"AutoscaleMaxThroughput\",\r\n \"displayDescription\": \"Autoscale Max Throughput\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Maximum\",\r\n \"lockAggregationType\": \"Maximum\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Maximum\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"CassandraKeyspaceCreate\",\r\n \"displayName\": \"Cassandra Keyspace Created\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Cassandra Keyspace Created\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"displayName\": \"Keyspace Name\",\r\n \"internalName\": \"ResourceName\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"cassandra\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"keyspaces\"\r\n },\r\n {\r\n \"value\": \"cassandrakeyspaces\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Create\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"AddRegion\",\r\n \"displayName\": \"Region Added\",\r\n \"internalMetricName\": \"AddRegion\",\r\n \"displayDescription\": \"Region Added\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"CassandraTableUpdate\",\r\n \"displayName\": \"Cassandra Table Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Cassandra Table Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Keyspace Name\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"internalName\": \"ChildResourceName\",\r\n \"displayName\": \"Table Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"cassandra\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"tables\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Upsert\"\r\n },\r\n {\r\n \"value\": \"Replace\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"CassandraConnectorReplicationHealthStatus\",\r\n \"displayName\": \"Cassandra Connector Replication Health Status\",\r\n \"internalMetricName\": \"ReplicationHealthStatus\",\r\n \"displayDescription\": \"Cassandra Connector Replication Health Status\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": false,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"DatabaseAccount\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"NotStarted\",\r\n \"displayName\": \"Replication Not Started\",\r\n \"internalName\": \"NotStarted\"\r\n },\r\n {\r\n \"name\": \"ReplicationInProgress\",\r\n \"displayName\": \"Replication In Progress\",\r\n \"internalName\": \"ReplicationInProgress\"\r\n },\r\n {\r\n \"name\": \"Error\",\r\n \"displayName\": \"Replication In Error\",\r\n \"internalName\": \"Error\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"GremlinDatabaseUpdate\",\r\n \"displayName\": \"Gremlin Database Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Gremlin Database Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"gremlin\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"databases\"\r\n },\r\n {\r\n \"value\": \"gremlindatabases\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Upsert\"\r\n },\r\n {\r\n \"value\": \"Replace\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoCollectionCreate\",\r\n \"displayName\": \"Mongo Collection Created\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Mongo Collection Created\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"displayName\": \"Database Name\",\r\n \"internalName\": \"ResourceName\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"displayName\": \"Collection Name\",\r\n \"internalName\": \"ChildResourceName\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"mongodb\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"collections\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Create\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"CassandraKeyspaceThroughputUpdate\",\r\n \"displayName\": \"Cassandra Keyspace Throughput Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Cassandra Keyspace Throughput Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Keyspace Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"cassandra\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"keyspaces\"\r\n },\r\n {\r\n \"value\": \"cassandrakeyspaces\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"True\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"CassandraTableThroughputUpdate\",\r\n \"displayName\": \"Cassandra Table Throughput Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Cassandra Table Throughput Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Keyspace Name\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"internalName\": \"ChildResourceName\",\r\n \"displayName\": \"Table Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"cassandra\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"tables\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"True\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"GremlinGraphThroughputUpdate\",\r\n \"displayName\": \"Gremlin Graph Throughput Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Gremlin Graph Throughput Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"internalName\": \"ChildResourceName\",\r\n \"displayName\": \"Graph Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"sql\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"graphs\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"True\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoCollectionThroughputUpdate\",\r\n \"displayName\": \"Mongo Collection Throughput Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Mongo Collection Throughput Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"internalName\": \"ChildResourceName\",\r\n \"displayName\": \"Collection Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"mongodb\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"collections\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"True\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoRequestCharge\",\r\n \"displayName\": \"Mongo Request Charge\",\r\n \"internalMetricName\": \"MongoRequestCharge\",\r\n \"displayDescription\": \"Mongo Request Units Consumed\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Total\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Total\",\r\n \"Average\",\r\n \"Maximum\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"CommandName\",\r\n \"internalName\": \"CommandName\"\r\n },\r\n {\r\n \"name\": \"ErrorCode\",\r\n \"internalName\": \"ErrorCode\"\r\n },\r\n {\r\n \"name\": \"Status\",\r\n \"internalName\": \"Status\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ProvisionedThroughput\",\r\n \"displayName\": \"Provisioned Throughput\",\r\n \"internalMetricName\": \"ProvisionedThroughput\",\r\n \"displayDescription\": \"Provisioned Throughput\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Maximum\",\r\n \"lockAggregationType\": \"Maximum\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": false,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Maximum\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"RegionFailover\",\r\n \"displayName\": \"Region Failed Over\",\r\n \"internalMetricName\": \"RegionFailover\",\r\n \"displayDescription\": \"Region Failed Over\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": []\r\n },\r\n {\r\n \"name\": \"ReplicationLatency\",\r\n \"displayName\": \"P99 Replication Latency\",\r\n \"internalMetricName\": \"ReplicationLatency\",\r\n \"displayDescription\": \"P99 Replication Latency across source and target regions for geo-enabled account\",\r\n \"unit\": \"MilliSeconds\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": false,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccount\",\r\n \"supportedAggregationTypes\": [\r\n \"Minimum\",\r\n \"Maximum\",\r\n \"Average\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"SourceRegion\",\r\n \"internalName\": \"SourceRegion\"\r\n },\r\n {\r\n \"name\": \"TargetRegion\",\r\n \"internalName\": \"TargetRegion\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"SqlDatabaseDelete\",\r\n \"displayName\": \"Sql Database Deleted\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Sql Database Deleted\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"sql\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"databases\"\r\n },\r\n {\r\n \"value\": \"sqldatabases\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Delete\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"SqlDatabaseUpdate\",\r\n \"displayName\": \"Sql Database Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Sql Database Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"sql\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"databases\"\r\n },\r\n {\r\n \"value\": \"sqldatabases\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Upsert\"\r\n },\r\n {\r\n \"value\": \"Replace\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"TableTableThroughputUpdate\",\r\n \"displayName\": \"AzureTable Table Throughput Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"AzureTable Table Throughput Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Table Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"table\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"tables\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"True\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"TableTableUpdate\",\r\n \"displayName\": \"AzureTable Table Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"AzureTable Table Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Table Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"table\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"tables\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Upsert\"\r\n },\r\n {\r\n \"value\": \"Replace\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"UpdateAccountNetworkSettings\",\r\n \"displayName\": \"Account Network Settings Updated\",\r\n \"internalMetricName\": \"UpdateAccountNetworkSettings\",\r\n \"displayDescription\": \"Account Network Settings Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": []\r\n },\r\n {\r\n \"name\": \"UpdateDiagnosticsSettings\",\r\n \"displayName\": \"Account Diagnostic Settings Updated\",\r\n \"internalMetricName\": \"UpdateDiagnosticSettings\",\r\n \"displayDescription\": \"Account Diagnostic Settings Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DiagnosticSettingsName\",\r\n \"internalName\": \"DiagnosticSettingsName\",\r\n \"displayName\": \"DiagnosticSettings Name\"\r\n },\r\n {\r\n \"name\": \"ResourceGroupName\",\r\n \"internalName\": \"ResourceGroupName\",\r\n \"displayName\": \"ResourceGroup Name\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IntegratedCacheHitRate\",\r\n \"displayName\": \"IntegratedCacheHitRate\",\r\n \"internalMetricName\": \"IntegratedCacheHitRate\",\r\n \"displayDescription\": \"Cache hit rate for integrated caches\",\r\n \"unit\": \"Percent\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"Average\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": false,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Average\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"CacheType\",\r\n \"internalName\": \"CacheType\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IntegratedCacheTTLExpirationCount\",\r\n \"displayName\": \"IntegratedCacheTTLExpirationCount\",\r\n \"internalMetricName\": \"IntegratedCacheTTLExpirationCount\",\r\n \"displayDescription\": \"Number of entries removed from the integrated cache due to TTL expiration\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"Average\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": false,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Average\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"CacheType\",\r\n \"internalName\": \"CacheType\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n }\r\n ]\r\n }\r\n ]\r\n }\r\n }\r\n }\r\n ]\r\n}", + "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Database\",\r\n \"Operation\": \"Write SQL database\",\r\n \"Description\": \"Create a SQL database.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Database\",\r\n \"Operation\": \"Read SQL database(s)\",\r\n \"Description\": \"Read a SQL database or list all the SQL databases.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Database\",\r\n \"Operation\": \"Delete SQL database\",\r\n \"Description\": \"Delete a SQL database.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Database\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Container\",\r\n \"Operation\": \"Write SQL container\",\r\n \"Description\": \"Create or update a SQL container.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Container\",\r\n \"Operation\": \"Read SQL container(s)\",\r\n \"Description\": \"Read a SQL container or list all the SQL containers.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Container\",\r\n \"Operation\": \"Delete SQL container\",\r\n \"Description\": \"Delete a SQL container.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Container\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/storedProcedures/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Stored Procedure\",\r\n \"Operation\": \"Write SQL stored procedure\",\r\n \"Description\": \"Create or update a SQL stored procedure.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/storedProcedures/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Stored Procedure\",\r\n \"Operation\": \"Read SQL stored procedure(s)\",\r\n \"Description\": \"Read a SQL stored procedure or list all the SQL stored procedures.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/storedProcedures/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Stored Procedure\",\r\n \"Operation\": \"Delete SQL stored procedure\",\r\n \"Description\": \"Delete a SQL stored procedure.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/storedProcedures/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Stored Procedure\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/userDefinedFunctions/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL User Defined Function\",\r\n \"Operation\": \"Write SQL user defined function\",\r\n \"Description\": \"Create or update a SQL user defined function.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/userDefinedFunctions/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL User Defined Function\",\r\n \"Operation\": \"Read SQL user defined function(s)\",\r\n \"Description\": \"Read a SQL user defined function or list all the SQL user defined functions.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/userDefinedFunctions/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL User Defined Function\",\r\n \"Operation\": \"Delete SQL user defined function\",\r\n \"Description\": \"Delete a SQL user defined function.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/userDefinedFunctions/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL User Defined Function\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/triggers/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Tirgger\",\r\n \"Operation\": \"Write SQL trigger\",\r\n \"Description\": \"Create or update a SQL trigger.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/triggers/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Tirgger\",\r\n \"Operation\": \"Read SQL trigger(s)\",\r\n \"Description\": \"Read a SQL trigger or list all the SQL triggers.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/triggers/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Tirgger\",\r\n \"Operation\": \"Delete SQL trigger\",\r\n \"Description\": \"Delete a SQL trigger.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/triggers/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Tirgger\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/tables/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table\",\r\n \"Operation\": \"Write table\",\r\n \"Description\": \"Create or update a table.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/tables/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table\",\r\n \"Operation\": \"Read table(s)\",\r\n \"Description\": \"Read a table or list all the tables.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/tables/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table\",\r\n \"Operation\": \"Delete table\",\r\n \"Description\": \"Delete a table.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/tables/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Database\",\r\n \"Operation\": \"Write MongoDB database\",\r\n \"Description\": \"Create a MongoDB database.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Database\",\r\n \"Operation\": \"Read MongoDB database(s)\",\r\n \"Description\": \"Read a MongoDB database or list all the MongoDB databases.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Database\",\r\n \"Operation\": \"Delete MongoDB database\",\r\n \"Description\": \"Delete a MongoDB database.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Database\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Collection\",\r\n \"Operation\": \"Write MongoDB collection\",\r\n \"Description\": \"Create or update a MongoDB collection.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Collection\",\r\n \"Operation\": \"Read MongoDB collection(s)\",\r\n \"Description\": \"Read a MongoDB collection or list all the MongoDB collections.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Collection\",\r\n \"Operation\": \"Delete MongoDB collection\",\r\n \"Description\": \"Delete a MongoDB collection.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Collection\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Keyspace\",\r\n \"Operation\": \"Write Cassandra keyspace\",\r\n \"Description\": \"Create a Cassandra keyspace.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Keyspace\",\r\n \"Operation\": \"Read Cassandra keyspace(s)\",\r\n \"Description\": \"Read a Cassandra keyspace or list all the Cassandra keyspaces.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Keyspace\",\r\n \"Operation\": \"Delete Cassandra keyspace\",\r\n \"Description\": \"Delete a Cassandra keyspace.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Keyspace\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Table\",\r\n \"Operation\": \"Write Cassandra table\",\r\n \"Description\": \"Create or update a Cassandra table.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Table\",\r\n \"Operation\": \"Read Cassandra table(s)\",\r\n \"Description\": \"Read a Cassandra table or list all the Cassandra tables.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Table\",\r\n \"Operation\": \"Delete Cassandra table\",\r\n \"Description\": \"Delete a Cassandra table.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Table\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Database\",\r\n \"Operation\": \"Write Gremlin database\",\r\n \"Description\": \"Create a Gremlin database.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Database\",\r\n \"Operation\": \"Read Gremlin database(s)\",\r\n \"Description\": \"Read a Gremlin database or list all the Gremlin databases.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Database\",\r\n \"Operation\": \"Delete Gremlin database\",\r\n \"Description\": \"Delete a Gremlin database.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Database\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Graph\",\r\n \"Operation\": \"Write Gremlin graph\",\r\n \"Description\": \"Create or update a Gremlin graph.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Graph\",\r\n \"Operation\": \"Read Gremlin graph(s)\",\r\n \"Description\": \"Read a Gremlin graph or list all the Gremlin graphs.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Graph\",\r\n \"Operation\": \"Delete Gremlin graph\",\r\n \"Description\": \"Delete a Gremlin graph.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Graph\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/throughputSettings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Database throughput setting\",\r\n \"Operation\": \"Write SQL database throughput\",\r\n \"Description\": \"Update a SQL database throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/throughputSettings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Database throughput setting\",\r\n \"Operation\": \"Read SQL database throughput\",\r\n \"Description\": \"Read a SQL database throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/throughputSettings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Database throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/throughputSettings/migrateToAutoscale/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Database throughput setting\",\r\n \"Operation\": \"Migrate SQL database offer to autoscale\",\r\n \"Description\": \"Migrate SQL database offer to autoscale.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/throughputSettings/migrateToManualThroughput/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Database throughput setting\",\r\n \"Operation\": \"Migrate a SQL database throughput offer to manual throughput\",\r\n \"Description\": \"Migrate a SQL database throughput offer to manual throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/throughputSettings/migrateToAutoscale/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Database throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/throughputSettings/migrateToManualThroughput/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Database throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/throughputSettings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Container throughput setting\",\r\n \"Operation\": \"Write SQL container throughput\",\r\n \"Description\": \"Update a SQL container throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/throughputSettings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Container throughput setting\",\r\n \"Operation\": \"Read SQL container throughput\",\r\n \"Description\": \"Read a SQL container throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/throughputSettings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Container throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/throughputSettings/migrateToAutoscale/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Container throughput setting\",\r\n \"Operation\": \"Migrate SQL container offer to autoscale\",\r\n \"Description\": \"Migrate SQL container offer to autoscale.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/throughputSettings/migrateToManualThroughput/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Container throughput setting\",\r\n \"Operation\": \"Migrate a SQL database throughput offer to manual throughput\",\r\n \"Description\": \"Migrate a SQL database throughput offer to manual throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/throughputSettings/migrateToAutoscale/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Container throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/throughputSettings/migrateToManualThroughput/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Container throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/tables/throughputSettings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"Write table throughput\",\r\n \"Description\": \"Update a table throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/tables/throughputSettings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"Read table throughput\",\r\n \"Description\": \"Read a table throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/tables/throughputSettings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/tables/throughputSettings/migrateToAutoscale/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"Migrate table offer to autoscale\",\r\n \"Description\": \"Migrate table offer to autoscale.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/tables/throughputSettings/migrateToManualThroughput/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"Migrate table offer to to manual throughput\",\r\n \"Description\": \"Migrate table offer to to manual throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/tables/throughputSettings/migrateToAutoscale/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/tables/throughputSettings/migrateToManualThroughput/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/throughputSettings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Database throughput setting\",\r\n \"Operation\": \"Write MongoDB database throughput\",\r\n \"Description\": \"Update a MongoDB database throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/throughputSettings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Database throughput setting\",\r\n \"Operation\": \"Read MongoDB database throughput\",\r\n \"Description\": \"Read a MongoDB database throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/throughputSettings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Database throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/throughputSettings/migrateToAutoscale/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Database throughput setting\",\r\n \"Operation\": \"Migrate MongoDB database offer to autoscale\",\r\n \"Description\": \"Migrate MongoDB database offer to autoscale.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/throughputSettings/migrateToManualThroughput/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Database throughput setting\",\r\n \"Operation\": \"Migrate MongoDB database offer to to manual throughput\",\r\n \"Description\": \"Migrate MongoDB database offer to to manual throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/throughputSettings/migrateToAutoscale/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Database throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/throughputSettings/migrateToManualThroughput/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Database throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections/throughputSettings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Collection throughput setting\",\r\n \"Operation\": \"Write MongoDB collection throughput\",\r\n \"Description\": \"Update a MongoDB collection throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections/throughputSettings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Collection throughput setting\",\r\n \"Operation\": \"Read MongoDB collection throughput\",\r\n \"Description\": \"Read a MongoDB collection throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections/throughputSettings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB Collection throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections/throughputSettings/migrateToAutoscale/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB collection throughput setting\",\r\n \"Operation\": \"Migrate MongoDB collection offer to autoscale\",\r\n \"Description\": \"Migrate MongoDB collection offer to autoscale.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections/throughputSettings/migrateToManualThroughput/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB collection throughput setting\",\r\n \"Operation\": \"Migrate MongoDB collection offer to to manual throughput\",\r\n \"Description\": \"Migrate MongoDB collection offer to to manual throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections/throughputSettings/migrateToAutoscale/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB collection throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/mongodbDatabases/collections/throughputSettings/migrateToManualThroughput/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"MongoDB collection throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/throughputSettings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Keyspace throughput setting\",\r\n \"Operation\": \"Write Cassandra keyspace throughput\",\r\n \"Description\": \"Update a Cassandra keyspace throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/throughputSettings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Keyspace throughput setting\",\r\n \"Operation\": \"Read Cassandra keyspace throughput\",\r\n \"Description\": \"Read a Cassandra keyspace throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/throughputSettings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Keyspace throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/throughputSettings/migrateToAutoscale/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra keyspace throughput setting\",\r\n \"Operation\": \"Migrate Cassandra keyspace offer to autoscale\",\r\n \"Description\": \"Migrate Cassandra keyspace offer to autoscale.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/throughputSettings/migrateToManualThroughput/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra keyspace throughput setting\",\r\n \"Operation\": \"Migrate Cassandra keyspace offer to to manual throughput\",\r\n \"Description\": \"Migrate Cassandra keyspace offer to to manual throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/throughputSettings/migrateToAutoscale/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra keyspace throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/throughputSettings/migrateToManualThroughput/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra keyspace throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables/throughputSettings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Table throughput setting\",\r\n \"Operation\": \"Write Cassandra table throughput\",\r\n \"Description\": \"Update a Cassandra table throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables/throughputSettings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Table throughput setting\",\r\n \"Operation\": \"Read Cassandra table throughput\",\r\n \"Description\": \"Read a Cassandra table throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables/throughputSettings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra Table throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables/throughputSettings/migrateToAutoscale/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra table throughput setting\",\r\n \"Operation\": \"Migrate Cassandra table offer to autoscale\",\r\n \"Description\": \"Migrate Cassandra table offer to autoscale.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables/throughputSettings/migrateToManualThroughput/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra table throughput setting\",\r\n \"Operation\": \"Migrate Cassandra table offer to to manual throughput\",\r\n \"Description\": \"Migrate Cassandra table offer to to manual throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables/throughputSettings/migrateToAutoscale/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra table throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/cassandraKeyspaces/tables/throughputSettings/migrateToManualThroughput/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Cassandra table throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/throughputSettings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Database throughput setting\",\r\n \"Operation\": \"Write Gremlin database throughput\",\r\n \"Description\": \"Update a Gremlin database throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/throughputSettings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Database throughput setting\",\r\n \"Operation\": \"Read Gremlin database throughput\",\r\n \"Description\": \"Read a Gremlin database throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/throughputSettings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Database throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/throughputSettings/migrateToAutoscale/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Database throughput setting\",\r\n \"Operation\": \"Migrate Gremlin Database offer to autoscale\",\r\n \"Description\": \"Migrate Gremlin Database offer to autoscale.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/throughputSettings/migrateToManualThroughput/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Database throughput setting\",\r\n \"Operation\": \"Migrate Gremlin Database offer to to manual throughput\",\r\n \"Description\": \"Migrate Gremlin Database offer to to manual throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/throughputSettings/migrateToAutoscale/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Database throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/throughputSettings/migrateToManualThroughput/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Database throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs/throughputSettings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Graph throughput setting\",\r\n \"Operation\": \"Write Gremlin graph throughput\",\r\n \"Description\": \"Update a Gremlin graph throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs/throughputSettings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Graph throughput setting\",\r\n \"Operation\": \"Read Gremlin graph throughput\",\r\n \"Description\": \"Read a Gremlin graph throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs/throughputSettings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin Graph throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs/throughputSettings/migrateToAutoscale/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin graph throughput setting\",\r\n \"Operation\": \"Migrate Gremlin graph offer to autoscale\",\r\n \"Description\": \"Migrate Gremlin graph offer to autoscale.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs/throughputSettings/migrateToManualThroughput/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin graph throughput setting\",\r\n \"Operation\": \"Migrate Gremlin graph offer to to manual throughput\",\r\n \"Description\": \"Migrate Gremlin graph offer to to manual throughput.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs/throughputSettings/migrateToAutoscale/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin graph throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/gremlinDatabases/graphs/throughputSettings/migrateToManualThroughput/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Gremlin graph throughput setting\",\r\n \"Operation\": \"Read operation results\",\r\n \"Description\": \"Read status of the asynchronous operation.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write database\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Create a database. Only applicable to API types: 'sql', 'mongodb', 'gremlin'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read database(s)\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a database or list all the databases. Only applicable to API types: 'sql', 'mongodb', 'gremlin'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete database\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete a database. Only applicable to API types: 'sql', 'mongodb', 'gremlin'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'sql', 'mongodb', 'gremlin'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/containers/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Container\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write container\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Create or update a container. Only applicable to API types: 'sql'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/containers/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Container\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read container(s)\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a container or list all the containers. Only applicable to API types: 'sql'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/containers/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Container\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete container\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete a container. Only applicable to API types: 'sql'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/containers/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Container\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'sql'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/tables/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write table\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Create or update a table. Only applicable to API types: 'table'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/tables/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read table(s)\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a table or list all the tables. Only applicable to API types: 'table'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/tables/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete table\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete a table. Only applicable to API types: 'table'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/tables/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'table'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/collections/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Collection\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write collection\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Create or update a collection. Only applicable to API types: 'mongodb'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/collections/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Collection\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read collection(s)\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a collection or list all the collections. Only applicable to API types: 'mongodb'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/collections/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Collection\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete collection\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete a collection. Only applicable to API types: 'mongodb'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/collections/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Collection\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'mongodb'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Keyspace\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write keyspace\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Create a keyspace. Only applicable to API types: 'cassandra'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Keyspace\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read keyspace(s)\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a keyspace or list all the keyspaces. Only applicable to API types: 'cassandra'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Keyspace\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete keyspace\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete a keyspace. Only applicable to API types: 'cassandra'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Keyspace\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'cassandra'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/tables/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write table\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Create or update a table. Only applicable to API types: 'cassandra'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/tables/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read table(s)\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a table or list all the tables. Only applicable to API types: 'cassandra'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/tables/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete table\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete a table. Only applicable to API types: 'cassandra'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/tables/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'cassandra'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/graphs/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Graph\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write graph\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Create or update a graph. Only applicable to API types: 'gremlin'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/graphs/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Graph\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read graph(s)\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a graph or list all the graphs. Only applicable to API types: 'gremlin'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/graphs/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Graph\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete graph\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Delete a graph. Only applicable to API types: 'gremlin'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/graphs/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Graph\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'gremlin'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/settings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write database throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Update a database throughput. Only applicable to API types: 'sql', 'mongodb', 'gremlin'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/settings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read database throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a database throughput. Only applicable to API types: 'sql', 'mongodb', 'gremlin'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/settings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'sql', 'mongodb', 'gremlin'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/containers/settings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Container throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write container throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Update a container throughput. Only applicable to API types: 'sql'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/containers/settings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Container throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read container throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a container throughput. Only applicable to API types: 'sql'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/containers/settings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Container throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'sql'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/tables/settings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write table throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Update a table throughput. Only applicable to API types: 'table'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/tables/settings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read table throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a table throughput. Only applicable to API types: 'table'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/tables/settings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'table'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/collections/settings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Collection throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write collection throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Update a collection throughput. Only applicable to API types: 'mongodb'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/collections/settings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Collection throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read collection throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a collection throughput. Only applicable to API types: 'mongodb'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/collections/settings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Collection throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'mongodb'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/settings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Keyspace throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write keyspace throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Update a keyspace throughput. Only applicable to API types: 'cassandra'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/settings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Keyspace throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read keyspace throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a keyspace throughput. Only applicable to API types: 'cassandra'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/settings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Keyspace throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'cassandra'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/tables/settings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write table throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Update a table throughput. Only applicable to API types: 'cassandra'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/tables/settings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read table throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a table throughput. Only applicable to API types: 'cassandra'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/keyspaces/tables/settings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Table throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'cassandra'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/graphs/settings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Graph throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Write gremlin throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Update a graph throughput. Only applicable to API types: 'gremlin'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/graphs/settings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Graph throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read graph throughput\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read a graph throughput. Only applicable to API types: 'gremlin'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/apis/databases/graphs/settings/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Graph throughput setting\",\r\n \"Operation\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read operation results\",\r\n \"Description\": \"(Deprecated. Please use resource paths without '/apis/' segment) Read status of the asynchronous operation. Only applicable to API types: 'gremlin'. Only applicable for setting types: 'throughput'.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Operation Result\",\r\n \"Operation\": \"Read operation status\",\r\n \"Description\": \"Read status of the asynchronous operation\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccountNames/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account Names\",\r\n \"Operation\": \"Read database account names\",\r\n \"Description\": \"Checks for name availability.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Read database account\",\r\n \"Description\": \"Reads a database account.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Update database account\",\r\n \"Description\": \"Update a database accounts.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/listKeys/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"List keys\",\r\n \"Description\": \"List keys of a database account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/readonlykeys/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account readonly keys\",\r\n \"Operation\": \"Read database account readonly keys\",\r\n \"Description\": \"Reads the database account readonly keys.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/readonlykeys/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account readonly keys\",\r\n \"Operation\": \"Read database account readonly keys\",\r\n \"Description\": \"Reads the database account readonly keys.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/regenerateKey/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Rotate keys\",\r\n \"Description\": \"Rotate keys of a database account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/listConnectionStrings/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Get Connection Strings\",\r\n \"Description\": \"Get the connection strings for a database account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/changeResourceGroup/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Change resource group\",\r\n \"Description\": \"Change resource group of a database account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/failoverPriorityChange/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Manual Failover\",\r\n \"Description\": \"Change failover priorities of regions of a database account. This is used to perform manual failover operation\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/offlineRegion/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Offline Region\",\r\n \"Description\": \"Offline a region of a database account. \"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/onlineRegion/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Online Region\",\r\n \"Description\": \"Online a region of a database account.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Delete database accounts\",\r\n \"Description\": \"Deletes the database accounts.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Read operation status\",\r\n \"Description\": \"Read status of the asynchronous operation\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/percentile/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account latencies\",\r\n \"Operation\": \"Read latency percentiles\",\r\n \"Description\": \"Read percentiles of replication latencies\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/percentile/metrics/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account metrics\",\r\n \"Operation\": \"Read latency metrics\",\r\n \"Description\": \"Read latency metrics\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/percentile/targetRegion/metrics/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account metrics for a specific target region\",\r\n \"Operation\": \"Read latency metricsfor a specific target region\",\r\n \"Description\": \"Read latency metrics for a specific target region\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/percentile/sourceRegion/targetRegion/metrics/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account metrics for a specific source and target region\",\r\n \"Operation\": \"Read latency metrics for a specific source and target region\",\r\n \"Description\": \"Read latency metrics for a specific source and target region\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/databases/collections/partitions/usages/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account partition usages\",\r\n \"Operation\": \"Read database account partition level usages\",\r\n \"Description\": \"Read database account partition level usages\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/getBackupPolicy/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database\",\r\n \"Operation\": \"Get BackupPolicy\",\r\n \"Description\": \"Get the backup policy of database account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/metricDefinitions/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account metric definitions\",\r\n \"Operation\": \"Read database account metrics definitions\",\r\n \"Description\": \"Reads the database account metrics definitions.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/metrics/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account metrics\",\r\n \"Operation\": \"Read database account metrics\",\r\n \"Description\": \"Reads the database account metrics.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/usages/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account usages\",\r\n \"Operation\": \"Read database account usages\",\r\n \"Description\": \"Reads the database account usages.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/databases/metricDefinitions/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database metric definitions\",\r\n \"Operation\": \"Read database metric definitions\",\r\n \"Description\": \"Reads the database metric definitions\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/databases/metrics/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database metrics\",\r\n \"Operation\": \"Read database metrics\",\r\n \"Description\": \"Reads the database metrics.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/databases/usages/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database usages\",\r\n \"Operation\": \"Read database usages\",\r\n \"Description\": \"Reads the database usages.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/databases/collections/metricDefinitions/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Collection metric definitions\",\r\n \"Operation\": \"Read collection metric definitions\",\r\n \"Description\": \"Reads the collection metric definitions.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/databases/collections/metrics/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Collection metrics\",\r\n \"Operation\": \"Read collection metrics\",\r\n \"Description\": \"Reads the collection metrics.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/databases/collections/usages/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Collection usages\",\r\n \"Operation\": \"Read collection usages\",\r\n \"Description\": \"Reads the collection usages.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/region/metrics/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account and Region metrics\",\r\n \"Operation\": \"Read region database account metrics\",\r\n \"Description\": \"Reads the region and database account metrics.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/region/databases/collections/metrics/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Regional Collection metrics\",\r\n \"Operation\": \"Read regional collection metrics\",\r\n \"Description\": \"Reads the regional collection metrics.\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/region/databases/collections/partitions/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Regional Database Account Collection partitions\",\r\n \"Operation\": \"Read regional database account partitions in a collection\",\r\n \"Description\": \"Read regional database account partitions in a collection\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/databases/collections/partitions/metrics/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account partition metrics\",\r\n \"Operation\": \"Read database account partition level metrics\",\r\n \"Description\": \"Read database account partition level metrics\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/region/databases/collections/partitions/metrics/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Regional Database Account partition metrics\",\r\n \"Operation\": \"Read regional database account partition level metrics\",\r\n \"Description\": \"Read regional database account partition level metrics\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/region/databases/collections/partitionKeyRangeId/metrics/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Regional Database Account partition key metrics\",\r\n \"Operation\": \"Read regional database account partition key level metrics\",\r\n \"Description\": \"Read regional database account partition key level metrics\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/databases/collections/partitionKeyRangeId/metrics/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account partition key metrics\",\r\n \"Operation\": \"Read database account partition key level metrics\",\r\n \"Description\": \"Read database account partition key level metrics\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/databases/collections/partitions/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account Collection partitions\",\r\n \"Operation\": \"Read database account partitions in a collection\",\r\n \"Description\": \"Read database account partitions in a collection\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/register/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"\",\r\n \"Operation\": \"Register Microsoft DocumentDB resource provider\",\r\n \"Description\": \" Register the Microsoft DocumentDB resource provider for the subscription\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/operations/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"operations\",\r\n \"Operation\": \"List operations\",\r\n \"Description\": \"Read operations available for the Microsoft DocumentDB \"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/PrivateEndpointConnectionsApproval/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account Private Endpoint Connection Approval\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/PrivateEndpointConnectionsApproval/action\",\r\n \"Description\": \"Manage a private endpoint connection of Database Account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnectionProxies/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account Private Endpoint Connection Proxy\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnectionProxies/read\",\r\n \"Description\": \"Read a private endpoint connection proxy of Database Account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnectionProxies/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account Private Endpoint Connection Proxy\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnectionProxies/write\",\r\n \"Description\": \"Create or update a private endpoint connection proxy of Database Account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnectionProxies/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account Private Endpoint Connection Proxy\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnectionProxies/delete\",\r\n \"Description\": \"Delete a private endpoint connection proxy of Database Account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnectionProxies/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Operation Result\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnectionProxies/operationResults/read\",\r\n \"Description\": \"Read Status of private endpoint connection proxy asynchronous operation\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnectionProxies/validate/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account Private Endpoint Connection Proxy\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnectionProxies/validate/action\",\r\n \"Description\": \"Validate a private endpoint connection proxy of Database Account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnections/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account Private Endpoint Connection\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnections/read\",\r\n \"Description\": \"Read a private endpoint connection or list all the private endpoint connections of a Database Account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnections/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account Private Endpoint Connection\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnections/write\",\r\n \"Description\": \"Create or update a private endpoint connection of a Database Account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnections/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account Private Endpoint Connection\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnections/delete\",\r\n \"Description\": \"Delete a private endpoint connection of a Database Account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnections/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Operation Result\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/privateEndpointConnections/operationResults/read\",\r\n \"Description\": \"Read Status of privateEndpointConnenctions asynchronous operation\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/privateLinkResources/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account Private Link Resource\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/privateLinkResources/read\",\r\n \"Description\": \"Read a private link resource or list all the private link resources of a Database Account\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/locations/operationsStatus/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Asynchronous Operations\",\r\n \"Operation\": \"Microsoft.DocumentDB/locations/operationsStatus/read\",\r\n \"Description\": \"Reads Status of Asynchronous Operations\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/locations/deleteVirtualNetworkOrSubnets/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Microsoft.DocumentDB/locations/deleteVirtualNetworkOrSubnets/action\",\r\n \"Description\": \"Notifies Microsoft.DocumentDB that VirtualNetwork or Subnet is being deleted\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/locations/deleteVirtualNetworkOrSubnets/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Operation Result\",\r\n \"Operation\": \"Microsoft.DocumentDB/locations/deleteVirtualNetworkOrSubnets/operationResults/read\",\r\n \"Description\": \"Read Status of deleteVirtualNetworkOrSubnets asynchronous operation\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/restore/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/restore/action\",\r\n \"Description\": \"Submit a restore request\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/backup/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/backup/action\",\r\n \"Description\": \"Submit a request to configure backup\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/notebookWorkspaces/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Notebook Workspace\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/notebookWorkspaces/write\",\r\n \"Description\": \"Create or update a notebook workspace\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/notebookWorkspaces/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Notebook Workspace\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/notebookWorkspaces/read\",\r\n \"Description\": \"Read a notebook workspace\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/notebookWorkspaces/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Notebook Workspace\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/notebookWorkspaces/delete\",\r\n \"Description\": \"Delete a notebook workspace\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/notebookWorkspaces/operationResults/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Operation Result\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/notebookWorkspaces/operationResults/read\",\r\n \"Description\": \"Read the status of an asynchronous operation on notebook workspaces\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/notebookWorkspaces/listConnectionInfo/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Notebook Workspace\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/notebookWorkspaces/listConnectionInfo/action\",\r\n \"Description\": \"List the connection info for a notebook workspace\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Restorable database account\",\r\n \"Operation\": \"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/read\",\r\n \"Description\": \"Read a restorable database account or List all the restorable database accounts\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/restore/action \",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Restore action on restorable database account\",\r\n \"Operation\": \"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/restore/action\",\r\n \"Description\": \"Submit a restore request\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/locations/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"CosmosDB location\",\r\n \"Operation\": \"Microsoft.DocumentDB/locations/read\",\r\n \"Description\": \"Read the metadata of a location or List all location metadata\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/cassandraClusters/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Managed Cassandra cluster\",\r\n \"Operation\": \"Microsoft.DocumentDB/cassandraClusters/read\",\r\n \"Description\": \"Read a managed Cassandra cluster or list all managed Cassandra clusters\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/cassandraClusters/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Managed Cassandra cluster\",\r\n \"Operation\": \"Microsoft.DocumentDB/cassandraClusters/write\",\r\n \"Description\": \"Create or update a managed Cassandra cluster\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/cassandraClusters/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Managed Cassandra cluster\",\r\n \"Operation\": \"Microsoft.DocumentDB/cassandraClusters/delete\",\r\n \"Description\": \"Delete a managed Cassandra cluster\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/cassandraClusters/repair/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"\",\r\n \"Operation\": \"Microsoft.DocumentDB/cassandraClusters/repair/action\",\r\n \"Description\": \"Request a repair of a managed Cassandra keyspace\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/cassandraClusters/fetchNodeStatus/action\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"\",\r\n \"Operation\": \"Microsoft.DocumentDB/cassandraClusters/fetchNodeStatus/action\",\r\n \"Description\": \"Asynchronously fetch node status of all nodes in a managed Cassandra cluster\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/cassandraClusters/dataCenters/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Managed Cassandra data center\",\r\n \"Operation\": \"Microsoft.DocumentDB/cassandraClusters/dataCenters/read\",\r\n \"Description\": \"Read a data center in a managed Cassandra cluster or list all data centers in a managed Cassandra cluster\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/cassandraClusters/dataCenters/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Managed Cassandra data center\",\r\n \"Operation\": \"Microsoft.DocumentDB/cassandraClusters/dataCenters/write\",\r\n \"Description\": \"Create or update a data center in a managed Cassandra cluster\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/cassandraClusters/dataCenters/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Managed Cassandra data center\",\r\n \"Operation\": \"Microsoft.DocumentDB/cassandraClusters/dataCenters/delete\",\r\n \"Description\": \"Delete a data center in a managed Cassandra cluster\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleDefinitions/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Role Definition\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleDefinitions/read\",\r\n \"Description\": \"Read a SQL Role Definition\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleDefinitions/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Role Definition\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleDefinitions/write\",\r\n \"Description\": \"Create or update a SQL Role Definition\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleDefinitions/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Role Definition\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleDefinitions/delete\",\r\n \"Description\": \"Delete a SQL Role Definition\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Role Assignment\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments/read\",\r\n \"Description\": \"Read a SQL Role Assignment\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Role Assignment\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments/write\",\r\n \"Description\": \"Create or update a SQL Role Assignment\"\r\n }\r\n },\r\n {\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments/delete\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"SQL Role Assignment\",\r\n \"Operation\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments/delete\",\r\n \"Description\": \"Delete a SQL Role Assignment\"\r\n }\r\n },\r\n {\r\n \"origin\": \"system\",\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/providers/Microsoft.Insights/logDefinitions/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Read database account log definitions\",\r\n \"Description\": \"Gets the available log catageries for Database Account\"\r\n },\r\n \"properties\": {\r\n \"serviceSpecification\": {\r\n \"logSpecifications\": [\r\n {\r\n \"name\": \"DataPlaneRequests\",\r\n \"displayName\": \"DataPlaneRequests\",\r\n \"blobDuration\": \"PT1H\"\r\n },\r\n {\r\n \"name\": \"MongoRequests\",\r\n \"displayName\": \"MongoRequests\",\r\n \"blobDuration\": \"PT1H\"\r\n },\r\n {\r\n \"name\": \"QueryRuntimeStatistics\",\r\n \"displayName\": \"QueryRuntimeStatistics\",\r\n \"blobDuration\": \"PT1H\"\r\n },\r\n {\r\n \"name\": \"PartitionKeyStatistics\",\r\n \"displayName\": \"PartitionKeyStatistics\",\r\n \"blobDuration\": \"PT1H\"\r\n },\r\n {\r\n \"name\": \"PartitionKeyRUConsumption\",\r\n \"displayName\": \"PartitionKeyRUConsumption\",\r\n \"blobDuration\": \"PT1H\"\r\n },\r\n {\r\n \"name\": \"ControlPlaneRequests\",\r\n \"displayName\": \"ControlPlaneRequests\",\r\n \"blobDuration\": \"PT1H\"\r\n },\r\n {\r\n \"name\": \"CassandraRequests\",\r\n \"displayName\": \"CassandraRequests\",\r\n \"blobDuration\": \"PT1H\"\r\n },\r\n {\r\n \"name\": \"GremlinRequests\",\r\n \"displayName\": \"GremlinRequests\",\r\n \"blobDuration\": \"PT1H\"\r\n },\r\n {\r\n \"name\": \"TableApiRequests\",\r\n \"displayName\": \"TableApiRequests\",\r\n \"blobDuration\": \"PT1H\"\r\n }\r\n ]\r\n }\r\n }\r\n },\r\n {\r\n \"origin\": \"system\",\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/providers/Microsoft.Insights/diagnosticSettings/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Write diagnostic setting\",\r\n \"Description\": \"Gets the diagnostic setting for the resource\"\r\n }\r\n },\r\n {\r\n \"origin\": \"system\",\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/providers/Microsoft.Insights/diagnosticSettings/write\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDB\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Write diagnostic setting\",\r\n \"Description\": \"Creates or updates the diagnostic setting for the resource\"\r\n }\r\n },\r\n {\r\n \"origin\": \"system\",\r\n \"name\": \"Microsoft.DocumentDB/databaseAccounts/providers/Microsoft.Insights/metricDefinitions/read\",\r\n \"display\": {\r\n \"Provider\": \"Microsoft DocumentDb\",\r\n \"Resource\": \"Database Account\",\r\n \"Operation\": \"Get database account metric definitions\",\r\n \"Description\": \"Gets the available metrics for the database Account\"\r\n },\r\n \"properties\": {\r\n \"serviceSpecification\": {\r\n \"metricSpecifications\": [\r\n {\r\n \"name\": \"CreateAccount\",\r\n \"displayName\": \"Account Created\",\r\n \"internalMetricName\": \"CreateAccount\",\r\n \"displayDescription\": \"Account Created\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": []\r\n },\r\n {\r\n \"name\": \"CassandraKeyspaceUpdate\",\r\n \"displayName\": \"Cassandra Keyspace Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Cassandra Keyspace Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Keyspace Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"cassandra\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"keyspaces\"\r\n },\r\n {\r\n \"value\": \"cassandrakeyspaces\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Upsert\"\r\n },\r\n {\r\n \"value\": \"Replace\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"GremlinGraphDelete\",\r\n \"displayName\": \"Gremlin Graph Deleted\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Gremlin Graph Deleted\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"internalName\": \"ChildResourceName\",\r\n \"displayName\": \"Graph Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"gremlin\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"graphs\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Delete\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"CassandraTableCreate\",\r\n \"displayName\": \"Cassandra Table Created\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Cassandra Table Created\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"displayName\": \"Keyspace Name\",\r\n \"internalName\": \"ResourceName\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"displayName\": \"Table Name\",\r\n \"internalName\": \"ChildResourceName\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"cassandra\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"tables\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Create\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MetadataRequests\",\r\n \"displayName\": \"Metadata Requests\",\r\n \"internalMetricName\": \"MetadataRequests\",\r\n \"displayDescription\": \"Count of metadata requests. Cosmos DB maintains system metadata collection for each account, that allows you to enumerate collections, databases, etc, and their configurations, free of charge.\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"StatusCode\",\r\n \"internalName\": \"StatusCode\"\r\n },\r\n {\r\n \"name\": \"Role\",\r\n \"internalName\": \"Role\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"MasterCluster0\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"DataUsage\",\r\n \"displayName\": \"Data Usage\",\r\n \"internalMetricName\": \"DataUsage\",\r\n \"displayDescription\": \"Total data usage reported at 5 minutes granularity\",\r\n \"unit\": \"Bytes\",\r\n \"aggregationType\": \"Total\",\r\n \"lockAggregationType\": \"Total\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Total\",\r\n \" Average\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IndexUsage\",\r\n \"displayName\": \"Index Usage\",\r\n \"internalMetricName\": \"IndexUsage\",\r\n \"displayDescription\": \"Total index usage reported at 5 minutes granularity\",\r\n \"unit\": \"Bytes\",\r\n \"aggregationType\": \"Total\",\r\n \"lockAggregationType\": \"Total\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Total\",\r\n \" Average\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"GremlinDatabaseCreate\",\r\n \"displayName\": \"Gremlin Database Created\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Gremlin Database Created\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"displayName\": \"Database Name\",\r\n \"internalName\": \"ResourceName\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"gremlin\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"databases\"\r\n },\r\n {\r\n \"value\": \"gremlindatabases\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Create\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"GremlinGraphUpdate\",\r\n \"displayName\": \"Gremlin Graph Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Gremlin Graph Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"internalName\": \"ChildResourceName\",\r\n \"displayName\": \"Graph Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"gremlin\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"graphs\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Upsert\"\r\n },\r\n {\r\n \"value\": \"Replace\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"CassandraTableDelete\",\r\n \"displayName\": \"Cassandra Table Deleted\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Cassandra Table Deleted\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Keyspace Name\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"internalName\": \"ChildResourceName\",\r\n \"displayName\": \"Table Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"cassandra\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"tables\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Delete\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"CassandraConnectorAvgReplicationLatency\",\r\n \"displayName\": \"Cassandra Connector Average ReplicationLatency\",\r\n \"internalMetricName\": \"AverageReplicationLatencyInMilliseconds\",\r\n \"displayDescription\": \"Cassandra Connector Average ReplicationLatency\",\r\n \"unit\": \"MilliSeconds\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"DatabaseAccount\",\r\n \"supportedAggregationTypes\": [\r\n \"Average\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": []\r\n },\r\n {\r\n \"name\": \"CassandraRequestCharges\",\r\n \"displayName\": \"Cassandra Request Charges\",\r\n \"internalMetricName\": \"CassandraRequestCharges\",\r\n \"displayDescription\": \"RUs consumed for Cassandra requests made\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Total\",\r\n \"lockAggregationType\": \"Total\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Total\",\r\n \"Average\",\r\n \"Minimum\",\r\n \"Maximum\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT1M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"APIType\",\r\n \"internalName\": \"APIType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"CassandraService\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\"\r\n },\r\n {\r\n \"name\": \"ResourceType\",\r\n \"internalName\": \"ResourceType\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"CassandraRequests\",\r\n \"displayName\": \"Cassandra Requests\",\r\n \"internalMetricName\": \"CassandraRequests\",\r\n \"displayDescription\": \"Number of Cassandra requests made\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT1M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"APIType\",\r\n \"internalName\": \"APIType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"CassandraService\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\"\r\n },\r\n {\r\n \"name\": \"ResourceType\",\r\n \"internalName\": \"ResourceType\"\r\n },\r\n {\r\n \"name\": \"ErrorCode\",\r\n \"internalName\": \"ErrorCode\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"DeleteAccount\",\r\n \"displayName\": \"Account Deleted\",\r\n \"internalMetricName\": \"DeleteAccount\",\r\n \"displayDescription\": \"Account Deleted\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": []\r\n },\r\n {\r\n \"name\": \"GremlinDatabaseDelete\",\r\n \"displayName\": \"Gremlin Database Deleted\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Gremlin Database Deleted\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"gremlin\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"databases\"\r\n },\r\n {\r\n \"value\": \"gremlindatabases\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Delete\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoDBDatabaseUpdate\",\r\n \"displayName\": \"Mongo Database Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Mongo Database Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"mongodb\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"databases\"\r\n },\r\n {\r\n \"value\": \"mongodbdatabases\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Upsert\"\r\n },\r\n {\r\n \"value\": \"Replace\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoDatabaseDelete\",\r\n \"displayName\": \"Mongo Database Deleted\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Mongo Database Deleted\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"mongodb\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"databases\"\r\n },\r\n {\r\n \"value\": \"mongodbdatabases\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Delete\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoDatabaseThroughputUpdate\",\r\n \"displayName\": \"Mongo Database Throughput Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Mongo Database Throughput Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"mongodb\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"databases\"\r\n },\r\n {\r\n \"value\": \"mongodbdatabases\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"True\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoRequests\",\r\n \"displayName\": \"Mongo Requests\",\r\n \"internalMetricName\": \"MongoRequests\",\r\n \"displayDescription\": \"Number of Mongo Requests Made\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"CommandName\",\r\n \"internalName\": \"CommandName\"\r\n },\r\n {\r\n \"name\": \"ErrorCode\",\r\n \"internalName\": \"ErrorCode\"\r\n },\r\n {\r\n \"name\": \"Status\",\r\n \"internalName\": \"Status\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoRequestsDelete\",\r\n \"displayName\": \"(deprecated) Mongo Delete Request Rate\",\r\n \"internalMetricName\": \"MongoRequests\",\r\n \"displayDescription\": \"Mongo Delete request per second\",\r\n \"unit\": \"CountPerSecond\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"Average\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Average\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"CommandName\",\r\n \"internalName\": \"CommandName\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Delete\"\r\n },\r\n {\r\n \"value\": \"OP_DELETE\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ErrorCode\",\r\n \"internalName\": \"ErrorCode\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoRequestsInsert\",\r\n \"displayName\": \"(deprecated) Mongo Insert Request Rate\",\r\n \"internalMetricName\": \"MongoRequests\",\r\n \"displayDescription\": \"Mongo Insert count per second\",\r\n \"unit\": \"CountPerSecond\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"Average\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Average\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"CommandName\",\r\n \"internalName\": \"CommandName\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"insert\"\r\n },\r\n {\r\n \"value\": \"OP_INSERT\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ErrorCode\",\r\n \"internalName\": \"ErrorCode\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoRequestsQuery\",\r\n \"displayName\": \"(deprecated) Mongo Query Request Rate\",\r\n \"internalMetricName\": \"MongoRequests\",\r\n \"displayDescription\": \"Mongo Query request per second\",\r\n \"unit\": \"CountPerSecond\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"Average\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Average\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"CommandName\",\r\n \"internalName\": \"CommandName\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"find\"\r\n },\r\n {\r\n \"value\": \"OP_QUERY\"\r\n },\r\n {\r\n \"value\": \"getMore\"\r\n },\r\n {\r\n \"value\": \"OP_GET_MORE\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ErrorCode\",\r\n \"internalName\": \"ErrorCode\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoRequestsUpdate\",\r\n \"displayName\": \"(deprecated) Mongo Update Request Rate\",\r\n \"internalMetricName\": \"MongoRequests\",\r\n \"displayDescription\": \"Mongo Update request per second\",\r\n \"unit\": \"CountPerSecond\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"Average\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Average\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"CommandName\",\r\n \"internalName\": \"CommandName\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"OP_UPDATE\"\r\n },\r\n {\r\n \"value\": \"findandmodify\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ErrorCode\",\r\n \"internalName\": \"ErrorCode\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ServerSideLatency\",\r\n \"displayName\": \"Server Side Latency\",\r\n \"internalMetricName\": \"ServerSideLatency\",\r\n \"displayDescription\": \"Server Side Latency\",\r\n \"unit\": \"MilliSeconds\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"Average\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": false,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Average\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT1M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"ConnectionMode\",\r\n \"internalName\": \"ConnectionMode\"\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\"\r\n },\r\n {\r\n \"name\": \"PublicAPIType\",\r\n \"internalName\": \"PublicAPIType\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"SqlContainerThroughputUpdate\",\r\n \"displayName\": \"Sql Container Throughput Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Sql Container Throughput Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"internalName\": \"ChildResourceName\",\r\n \"displayName\": \"Container Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"sql\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"containers\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"True\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"SqlDatabaseCreate\",\r\n \"displayName\": \"Sql Database Created\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Sql Database Created\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"displayName\": \"Database Name\",\r\n \"internalName\": \"ResourceName\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"sql\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"sqldatabases\"\r\n },\r\n {\r\n \"value\": \"databases\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Create\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"SqlDatabaseThroughputUpdate\",\r\n \"displayName\": \"Sql Database Throughput Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Sql Database Throughput Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"sql\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"databases\"\r\n },\r\n {\r\n \"value\": \"sqldatabases\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"True\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"TableTableCreate\",\r\n \"displayName\": \"AzureTable Table Created\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"AzureTable Table Created\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"displayName\": \"Table Name\",\r\n \"internalName\": \"ResourceName\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"table\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"tables\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Create\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"UpdateAccountKeys\",\r\n \"displayName\": \"Account Keys Updated\",\r\n \"internalMetricName\": \"UpdateAccountKeys\",\r\n \"displayDescription\": \"Account Keys Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"KeyType\",\r\n \"internalName\": \"KeyType\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"TotalRequests\",\r\n \"displayName\": \"Total Requests\",\r\n \"internalMetricName\": \"TotalRequests\",\r\n \"displayDescription\": \"Number of requests made\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"StatusCode\",\r\n \"internalName\": \"StatusCode\"\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\"\r\n },\r\n {\r\n \"name\": \"Status\",\r\n \"internalName\": \"Status\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IntegratedCacheSize\",\r\n \"displayName\": \"IntegratedCacheSize\",\r\n \"internalMetricName\": \"IntegratedCacheSize\",\r\n \"displayDescription\": \"Size of the integrated caches for dedicated gateway requests\",\r\n \"unit\": \"Bytes\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"Average\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": false,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Average\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"CacheType\",\r\n \"internalName\": \"CacheType\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IntegratedCacheEvictedEntriesSize\",\r\n \"displayName\": \"IntegratedCacheEvictedEntriesSize\",\r\n \"internalMetricName\": \"IntegratedCacheEvictedEntriesSize\",\r\n \"displayDescription\": \"Size of the entries evicted from the integrated cache\",\r\n \"unit\": \"Bytes\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"Average\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": false,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Average\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"CacheType\",\r\n \"internalName\": \"CacheType\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"DedicatedGatewayRequests\",\r\n \"displayName\": \"DedicatedGatewayRequests\",\r\n \"internalMetricName\": \"DedicatedGatewayRequests\",\r\n \"displayDescription\": \"Requests at the dedicated gateway\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT1M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"CacheExercised\",\r\n \"internalName\": \"CacheExercised\"\r\n },\r\n {\r\n \"name\": \"OperationName\",\r\n \"internalName\": \"OperationName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"CassandraConnectionClosures\",\r\n \"displayName\": \"Cassandra Connection Closures\",\r\n \"internalMetricName\": \"CassandraConnectionClosures\",\r\n \"displayDescription\": \"Number of Cassandra connections that were closed, reported at a 1 minute granularity\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Total\",\r\n \"lockAggregationType\": \"Count\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Average\",\r\n \" Minimum\",\r\n \" Maximum\",\r\n \" Total\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT1M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"APIType\",\r\n \"internalName\": \"APIType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"CassandraService\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"ClosureReason\",\r\n \"internalName\": \"ClosureReason\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"DocumentQuota\",\r\n \"displayName\": \"Document Quota\",\r\n \"internalMetricName\": \"DocumentQuota\",\r\n \"displayDescription\": \"Total storage quota reported at 5 minutes granularity\",\r\n \"unit\": \"Bytes\",\r\n \"aggregationType\": \"Total\",\r\n \"lockAggregationType\": \"Total\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Total\",\r\n \" Average\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"AvailableStorage\",\r\n \"displayName\": \"(deprecated) Available Storage\",\r\n \"internalMetricName\": \"AvailableStorage\",\r\n \"displayDescription\": \"\\\"Available Storage\\\" will be removed from Azure Monitor at the end of September 2023. Cosmos DB collection storage size is now unlimited. The only restriction is that the storage size for each logical partition key is 20GB. You can enable PartitionKeyStatistics in Diagnostic Log to know the storage consumption for top partition keys. For more info about Cosmos DB storage quota, please check this doc https://docs.microsoft.com/en-us/azure/cosmos-db/concepts-limits. After deprecation, the remaining alert rules still defined on the deprecated metric will be automatically disabled post the deprecation date.\",\r\n \"unit\": \"Bytes\",\r\n \"aggregationType\": \"Total\",\r\n \"lockAggregationType\": \"Total\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Total\",\r\n \" Average\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"DocumentCount\",\r\n \"displayName\": \"Document Count\",\r\n \"internalMetricName\": \"DocumentCount\",\r\n \"displayDescription\": \"Total document count reported at 5 minutes granularity\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Total\",\r\n \"lockAggregationType\": \"Total\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Total\",\r\n \" Average\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"CassandraKeyspaceDelete\",\r\n \"displayName\": \"Cassandra Keyspace Deleted\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Cassandra Keyspace Deleted\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Keyspace Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"cassandra\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"keyspaces\"\r\n },\r\n {\r\n \"value\": \"cassandrakeyspaces\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Delete\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"GremlinGraphCreate\",\r\n \"displayName\": \"Gremlin Graph Created\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Gremlin Graph Created\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"displayName\": \"Database Name\",\r\n \"internalName\": \"ResourceName\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"displayName\": \"Graph Name\",\r\n \"internalName\": \"ChildResourceName\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"gremlin\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"graphs\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Create\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoCollectionDelete\",\r\n \"displayName\": \"Mongo Collection Deleted\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Mongo Collection Deleted\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"internalName\": \"ChildResourceName\",\r\n \"displayName\": \"Collection Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"mongodb\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"collections\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Delete\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoCollectionUpdate\",\r\n \"displayName\": \"Mongo Collection Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Mongo Collection Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"internalName\": \"ChildResourceName\",\r\n \"displayName\": \"Collection Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"mongodb\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"collections\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Upsert\"\r\n },\r\n {\r\n \"value\": \"Replace\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoDBDatabaseCreate\",\r\n \"displayName\": \"Mongo Database Created\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Mongo Database Created\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"displayName\": \"Database Name\",\r\n \"internalName\": \"ResourceName\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"mongodb\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"databases\"\r\n },\r\n {\r\n \"value\": \"mongodbdatabases\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Create\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoRequestsCount\",\r\n \"displayName\": \"(deprecated) Mongo Request Rate\",\r\n \"internalMetricName\": \"MongoRequests\",\r\n \"displayDescription\": \"Mongo request Count per second\",\r\n \"unit\": \"CountPerSecond\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"Average\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Average\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"CommandName\",\r\n \"internalName\": \"CommandName\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"count\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ErrorCode\",\r\n \"internalName\": \"ErrorCode\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"NormalizedRUConsumption\",\r\n \"displayName\": \"Normalized RU Consumption\",\r\n \"internalMetricName\": \"NormalizedRUConsumption\",\r\n \"displayDescription\": \"Max RU consumption percentage per minute\",\r\n \"unit\": \"Percent\",\r\n \"aggregationType\": \"Maximum\",\r\n \"lockAggregationType\": \"Maximum\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Maximum\",\r\n \" Average\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT1M\",\r\n \"PT5M\",\r\n \"PT1H\",\r\n \"P1D\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"PartitionKeyRangeId\",\r\n \"internalName\": \"PartitionKeyRangeId\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"RemoveRegion\",\r\n \"displayName\": \"Region Removed\",\r\n \"internalMetricName\": \"RemoveRegion\",\r\n \"displayDescription\": \"Region Removed\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ServiceAvailability\",\r\n \"displayName\": \"Service Availability\",\r\n \"internalMetricName\": \"ServiceAvailability\",\r\n \"displayDescription\": \"Account requests availability at one hour, day or month granularity\",\r\n \"unit\": \"Percent\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"Average\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": false,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Minimum\",\r\n \"Average\",\r\n \"Maximum\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT1H\"\r\n ],\r\n \"dimensions\": []\r\n },\r\n {\r\n \"name\": \"SqlContainerCreate\",\r\n \"displayName\": \"Sql Container Created\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Sql Container Created\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"displayName\": \"Database Name\",\r\n \"internalName\": \"ResourceName\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"displayName\": \"Container Name\",\r\n \"internalName\": \"ChildResourceName\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"sql\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"containers\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Create\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"SqlContainerDelete\",\r\n \"displayName\": \"Sql Container Deleted\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Sql Container Deleted\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"internalName\": \"ChildResourceName\",\r\n \"displayName\": \"Container Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"sql\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"containers\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Delete\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"SqlContainerUpdate\",\r\n \"displayName\": \"Sql Container Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Sql Container Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"internalName\": \"ChildResourceName\",\r\n \"displayName\": \"Container Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"sql\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"containers\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Upsert\"\r\n },\r\n {\r\n \"value\": \"Replace\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"TableTableDelete\",\r\n \"displayName\": \"AzureTable Table Deleted\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"AzureTable Table Deleted\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Table Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"table\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"tables\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Delete\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"TotalRequestUnits\",\r\n \"displayName\": \"Total Request Units\",\r\n \"internalMetricName\": \"TotalRequestUnits\",\r\n \"displayDescription\": \"Request Units consumed\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Total\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Total\",\r\n \" Average\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"StatusCode\",\r\n \"internalName\": \"StatusCode\"\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\"\r\n },\r\n {\r\n \"name\": \"Status\",\r\n \"internalName\": \"Status\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"UpdateAccountReplicationSettings\",\r\n \"displayName\": \"Account Replication Settings Updated\",\r\n \"internalMetricName\": \"UpdateAccountReplicationSettings\",\r\n \"displayDescription\": \"Account Replication Settings Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": []\r\n },\r\n {\r\n \"name\": \"GremlinDatabaseThroughputUpdate\",\r\n \"displayName\": \"Gremlin Database Throughput Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Gremlin Database Throughput Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"sql\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"databases\"\r\n },\r\n {\r\n \"value\": \"gremlindatabases\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"True\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"AutoscaleMaxThroughput\",\r\n \"displayName\": \"Autoscale Max Throughput\",\r\n \"internalMetricName\": \"AutoscaleMaxThroughput\",\r\n \"displayDescription\": \"Autoscale Max Throughput\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Maximum\",\r\n \"lockAggregationType\": \"Maximum\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Maximum\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"CassandraKeyspaceCreate\",\r\n \"displayName\": \"Cassandra Keyspace Created\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Cassandra Keyspace Created\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"displayName\": \"Keyspace Name\",\r\n \"internalName\": \"ResourceName\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"cassandra\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"keyspaces\"\r\n },\r\n {\r\n \"value\": \"cassandrakeyspaces\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Create\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"AddRegion\",\r\n \"displayName\": \"Region Added\",\r\n \"internalMetricName\": \"AddRegion\",\r\n \"displayDescription\": \"Region Added\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"CassandraTableUpdate\",\r\n \"displayName\": \"Cassandra Table Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Cassandra Table Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Keyspace Name\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"internalName\": \"ChildResourceName\",\r\n \"displayName\": \"Table Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"cassandra\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"tables\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Upsert\"\r\n },\r\n {\r\n \"value\": \"Replace\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"CassandraConnectorReplicationHealthStatus\",\r\n \"displayName\": \"Cassandra Connector Replication Health Status\",\r\n \"internalMetricName\": \"ReplicationHealthStatus\",\r\n \"displayDescription\": \"Cassandra Connector Replication Health Status\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": false,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"DatabaseAccount\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"NotStarted\",\r\n \"displayName\": \"Replication Not Started\",\r\n \"internalName\": \"NotStarted\"\r\n },\r\n {\r\n \"name\": \"ReplicationInProgress\",\r\n \"displayName\": \"Replication In Progress\",\r\n \"internalName\": \"ReplicationInProgress\"\r\n },\r\n {\r\n \"name\": \"Error\",\r\n \"displayName\": \"Replication In Error\",\r\n \"internalName\": \"Error\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"GremlinDatabaseUpdate\",\r\n \"displayName\": \"Gremlin Database Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Gremlin Database Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"gremlin\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"databases\"\r\n },\r\n {\r\n \"value\": \"gremlindatabases\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Upsert\"\r\n },\r\n {\r\n \"value\": \"Replace\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoCollectionCreate\",\r\n \"displayName\": \"Mongo Collection Created\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Mongo Collection Created\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"displayName\": \"Database Name\",\r\n \"internalName\": \"ResourceName\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"displayName\": \"Collection Name\",\r\n \"internalName\": \"ChildResourceName\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"mongodb\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"collections\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Create\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"CassandraKeyspaceThroughputUpdate\",\r\n \"displayName\": \"Cassandra Keyspace Throughput Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Cassandra Keyspace Throughput Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Keyspace Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"cassandra\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"keyspaces\"\r\n },\r\n {\r\n \"value\": \"cassandrakeyspaces\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"True\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"CassandraTableThroughputUpdate\",\r\n \"displayName\": \"Cassandra Table Throughput Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Cassandra Table Throughput Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Keyspace Name\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"internalName\": \"ChildResourceName\",\r\n \"displayName\": \"Table Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"cassandra\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"tables\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"True\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"GremlinGraphThroughputUpdate\",\r\n \"displayName\": \"Gremlin Graph Throughput Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Gremlin Graph Throughput Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"internalName\": \"ChildResourceName\",\r\n \"displayName\": \"Graph Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"sql\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"graphs\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"True\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoCollectionThroughputUpdate\",\r\n \"displayName\": \"Mongo Collection Throughput Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Mongo Collection Throughput Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ChildResourceName\",\r\n \"internalName\": \"ChildResourceName\",\r\n \"displayName\": \"Collection Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"mongodb\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"collections\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"True\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"MongoRequestCharge\",\r\n \"displayName\": \"Mongo Request Charge\",\r\n \"internalMetricName\": \"MongoRequestCharge\",\r\n \"displayDescription\": \"Mongo Request Units Consumed\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Total\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Total\",\r\n \"Average\",\r\n \"Maximum\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n },\r\n {\r\n \"name\": \"CommandName\",\r\n \"internalName\": \"CommandName\"\r\n },\r\n {\r\n \"name\": \"ErrorCode\",\r\n \"internalName\": \"ErrorCode\"\r\n },\r\n {\r\n \"name\": \"Status\",\r\n \"internalName\": \"Status\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ProvisionedThroughput\",\r\n \"displayName\": \"Provisioned Throughput\",\r\n \"internalMetricName\": \"ProvisionedThroughput\",\r\n \"displayDescription\": \"Provisioned Throughput\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Maximum\",\r\n \"lockAggregationType\": \"Maximum\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": false,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Maximum\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DatabaseName\",\r\n \"internalName\": \"DatabaseName\"\r\n },\r\n {\r\n \"name\": \"CollectionName\",\r\n \"internalName\": \"CollectionName\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"RegionFailover\",\r\n \"displayName\": \"Region Failed Over\",\r\n \"internalMetricName\": \"RegionFailover\",\r\n \"displayDescription\": \"Region Failed Over\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": []\r\n },\r\n {\r\n \"name\": \"ReplicationLatency\",\r\n \"displayName\": \"P99 Replication Latency\",\r\n \"internalMetricName\": \"ReplicationLatency\",\r\n \"displayDescription\": \"P99 Replication Latency across source and target regions for geo-enabled account\",\r\n \"unit\": \"MilliSeconds\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": false,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccount\",\r\n \"supportedAggregationTypes\": [\r\n \"Minimum\",\r\n \"Maximum\",\r\n \"Average\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"SourceRegion\",\r\n \"internalName\": \"SourceRegion\"\r\n },\r\n {\r\n \"name\": \"TargetRegion\",\r\n \"internalName\": \"TargetRegion\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"SqlDatabaseDelete\",\r\n \"displayName\": \"Sql Database Deleted\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Sql Database Deleted\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"sql\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"databases\"\r\n },\r\n {\r\n \"value\": \"sqldatabases\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Delete\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"SqlDatabaseUpdate\",\r\n \"displayName\": \"Sql Database Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"Sql Database Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Database Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"sql\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"databases\"\r\n },\r\n {\r\n \"value\": \"sqldatabases\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Upsert\"\r\n },\r\n {\r\n \"value\": \"Replace\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"TableTableThroughputUpdate\",\r\n \"displayName\": \"AzureTable Table Throughput Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"AzureTable Table Throughput Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Table Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"table\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"tables\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"True\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"TableTableUpdate\",\r\n \"displayName\": \"AzureTable Table Updated\",\r\n \"internalMetricName\": \"ControlPlaneArmAPIRequest\",\r\n \"displayDescription\": \"AzureTable Table Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"ResourceName\",\r\n \"internalName\": \"ResourceName\",\r\n \"displayName\": \"Table Name\"\r\n },\r\n {\r\n \"name\": \"ApiKind\",\r\n \"internalName\": \"ApiKind\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"table\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"ApiKindResourceType\",\r\n \"internalName\": \"ApiKindResourceType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"tables\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IsThroughputRequest\",\r\n \"internalName\": \"IsThroughputRequest\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"False\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"OperationType\",\r\n \"internalName\": \"OperationType\",\r\n \"isHidden\": true,\r\n \"defaultDimensionValues\": [\r\n {\r\n \"value\": \"Upsert\"\r\n },\r\n {\r\n \"value\": \"Replace\"\r\n }\r\n ]\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"UpdateAccountNetworkSettings\",\r\n \"displayName\": \"Account Network Settings Updated\",\r\n \"internalMetricName\": \"UpdateAccountNetworkSettings\",\r\n \"displayDescription\": \"Account Network Settings Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": []\r\n },\r\n {\r\n \"name\": \"UpdateDiagnosticsSettings\",\r\n \"displayName\": \"Account Diagnostic Settings Updated\",\r\n \"internalMetricName\": \"UpdateDiagnosticSettings\",\r\n \"displayDescription\": \"Account Diagnostic Settings Updated\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Count\",\r\n \"lockAggregationType\": \"\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": true,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Count\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"DiagnosticSettingsName\",\r\n \"internalName\": \"DiagnosticSettingsName\",\r\n \"displayName\": \"DiagnosticSettings Name\"\r\n },\r\n {\r\n \"name\": \"ResourceGroupName\",\r\n \"internalName\": \"ResourceGroupName\",\r\n \"displayName\": \"ResourceGroup Name\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IntegratedCacheHitRate\",\r\n \"displayName\": \"IntegratedCacheHitRate\",\r\n \"internalMetricName\": \"IntegratedCacheHitRate\",\r\n \"displayDescription\": \"Cache hit rate for integrated caches\",\r\n \"unit\": \"Percent\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"Average\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": false,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Average\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"CacheType\",\r\n \"internalName\": \"CacheType\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n }\r\n ]\r\n },\r\n {\r\n \"name\": \"IntegratedCacheTTLExpirationCount\",\r\n \"displayName\": \"IntegratedCacheTTLExpirationCount\",\r\n \"internalMetricName\": \"IntegratedCacheTTLExpirationCount\",\r\n \"displayDescription\": \"Number of entries removed from the integrated cache due to TTL expiration\",\r\n \"unit\": \"Count\",\r\n \"aggregationType\": \"Average\",\r\n \"lockAggregationType\": \"Average\",\r\n \"sourceMdmAccount\": \"CosmosDBCustomer\",\r\n \"sourceMdmNamespace\": \"AzureMonitor\",\r\n \"fillGapWithZero\": false,\r\n \"category\": \"Requests\",\r\n \"resourceIdDimensionNameOverride\": \"GlobalDatabaseAccountName\",\r\n \"supportedAggregationTypes\": [\r\n \"Average\"\r\n ],\r\n \"supportedTimeGrainTypes\": [\r\n \"PT5M\"\r\n ],\r\n \"dimensions\": [\r\n {\r\n \"name\": \"CacheType\",\r\n \"internalName\": \"CacheType\"\r\n },\r\n {\r\n \"name\": \"Region\",\r\n \"internalName\": \"Region\"\r\n }\r\n ]\r\n }\r\n ]\r\n }\r\n }\r\n }\r\n ]\r\n}", "StatusCode": 200 } ], diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/SqlResourcesOperationsTests/SqlCRUDTests.json b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/SqlResourcesOperationsTests/SqlCRUDTests.json index e0632b2ddf34..cf48ee06727a 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/SqlResourcesOperationsTests/SqlCRUDTests.json +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/SqlResourcesOperationsTests/SqlCRUDTests.json @@ -1,22 +1,22 @@ { "Entries": [ { - "RequestUri": "/providers/Microsoft.DocumentDB/databaseAccountNames/db9934?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9kYXRhYmFzZUFjY291bnROYW1lcy9kYjk5MzQ/YXBpLXZlcnNpb249MjAyMS0wMy0wMS1wcmV2aWV3", + "RequestUri": "/providers/Microsoft.DocumentDB/databaseAccountNames/cli124?api-version=2021-04-15", + "EncodedRequestUri": "L3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9kYXRhYmFzZUFjY291bnROYW1lcy9jbGkxMjQ/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", "RequestMethod": "HEAD", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "30e0f62c-b0d8-4110-b4d8-d7398fb67e5e" + "2b83f260-8160-473b-b211-6da9961cbb3c" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -30,7 +30,7 @@ "max-age=31536000; includeSubDomains" ], "x-ms-activity-id": [ - "30e0f62c-b0d8-4110-b4d8-d7398fb67e5e" + "2b83f260-8160-473b-b211-6da9961cbb3c" ], "Server": [ "Microsoft-HTTPAPI/2.0" @@ -39,19 +39,19 @@ "11999" ], "x-ms-request-id": [ - "5ccc9dfa-e959-4fe1-876a-dd50aa0a2815" + "8998fda8-ee22-4be4-b66b-a20832ab97b0" ], "x-ms-correlation-request-id": [ - "5ccc9dfa-e959-4fe1-876a-dd50aa0a2815" + "8998fda8-ee22-4be4-b66b-a20832ab97b0" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173109Z:5ccc9dfa-e959-4fe1-876a-dd50aa0a2815" + "WESTCENTRALUS:20210427T174428Z:8998fda8-ee22-4be4-b66b-a20832ab97b0" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:31:09 GMT" + "Tue, 27 Apr 2021 17:44:28 GMT" ], "Content-Length": [ "0" @@ -61,22 +61,22 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWU/YXBpLXZlcnNpb249MjAyMS0wMy0wMS1wcmV2aWV3", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWU/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", "RequestMethod": "PUT", "RequestBody": "{\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName\"\r\n },\r\n \"options\": {}\r\n }\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "4d4791ee-fc5a-4317-adc9-fc1cd353acd0" + "fbcea387-12ed-4254-bc7f-ed05b8138813" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -93,13 +93,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/operationResults/b864743b-1dfd-4136-98ca-8cec6e58af9f?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/operationResults/6cc325fb-e2ff-4105-8a33-53f45f30c9ba?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/b864743b-1dfd-4136-98ca-8cec6e58af9f?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/6cc325fb-e2ff-4105-8a33-53f45f30c9ba?api-version=2021-04-15" ], "x-ms-request-id": [ - "b864743b-1dfd-4136-98ca-8cec6e58af9f" + "6cc325fb-e2ff-4105-8a33-53f45f30c9ba" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -114,16 +114,16 @@ "1199" ], "x-ms-correlation-request-id": [ - "0e093b36-c600-46f4-abe9-65c5a48ec32b" + "8a7855e1-73cc-4fe6-8778-e49d41194961" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173110Z:0e093b36-c600-46f4-abe9-65c5a48ec32b" + "WESTCENTRALUS:20210427T174429Z:8a7855e1-73cc-4fe6-8778-e49d41194961" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:31:10 GMT" + "Tue, 27 Apr 2021 17:44:29 GMT" ], "Content-Length": [ "21" @@ -136,16 +136,16 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/b864743b-1dfd-4136-98ca-8cec6e58af9f?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2I4NjQ3NDNiLTFkZmQtNDEzNi05OGNhLThjZWM2ZTU4YWY5Zj9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/6cc325fb-e2ff-4105-8a33-53f45f30c9ba?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzZjYzMyNWZiLWUyZmYtNDEwNS04YTMzLTUzZjQ1ZjMwYzliYT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -168,19 +168,19 @@ "11999" ], "x-ms-request-id": [ - "33e7b52d-ab05-4c77-a27c-dc09bb5f2656" + "a107e341-b554-46ff-9430-2bd780e082dc" ], "x-ms-correlation-request-id": [ - "33e7b52d-ab05-4c77-a27c-dc09bb5f2656" + "a107e341-b554-46ff-9430-2bd780e082dc" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173141Z:33e7b52d-ab05-4c77-a27c-dc09bb5f2656" + "WESTCENTRALUS:20210427T174459Z:a107e341-b554-46ff-9430-2bd780e082dc" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:31:40 GMT" + "Tue, 27 Apr 2021 17:44:59 GMT" ], "Content-Length": [ "22" @@ -193,16 +193,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWU/YXBpLXZlcnNpb249MjAyMS0wMy0wMS1wcmV2aWV3", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWU/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -225,19 +225,19 @@ "11998" ], "x-ms-request-id": [ - "c4c72c16-61ae-4956-bcce-eeebdbf981a7" + "4e07a839-902b-4a0c-9cf2-ad4d35161783" ], "x-ms-correlation-request-id": [ - "c4c72c16-61ae-4956-bcce-eeebdbf981a7" + "4e07a839-902b-4a0c-9cf2-ad4d35161783" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173141Z:c4c72c16-61ae-4956-bcce-eeebdbf981a7" + "WESTCENTRALUS:20210427T174500Z:4e07a839-902b-4a0c-9cf2-ad4d35161783" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:31:41 GMT" + "Tue, 27 Apr 2021 17:44:59 GMT" ], "Content-Length": [ "458" @@ -246,26 +246,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases\",\r\n \"name\": \"databaseName\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName\",\r\n \"_rid\": \"IFdVAA==\",\r\n \"_self\": \"dbs/IFdVAA==/\",\r\n \"_etag\": \"\\\"00006400-0000-0200-0000-603fc7e30000\\\"\",\r\n \"_colls\": \"colls/\",\r\n \"_users\": \"users/\",\r\n \"_ts\": 1614792675\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases\",\r\n \"name\": \"databaseName\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName\",\r\n \"_rid\": \"6EAGAA==\",\r\n \"_self\": \"dbs/6EAGAA==/\",\r\n \"_etag\": \"\\\"0000c20e-0000-0200-0000-60884d820000\\\"\",\r\n \"_colls\": \"colls/\",\r\n \"_users\": \"users/\",\r\n \"_ts\": 1619545474\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWU/YXBpLXZlcnNpb249MjAyMS0wMy0wMS1wcmV2aWV3", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWU/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "256e7bc2-6807-4c4a-b0a7-4eca5599fafb" + "c50a30fe-dfc3-495a-ba45-5a2df530a8ba" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -288,19 +288,19 @@ "11997" ], "x-ms-request-id": [ - "75d8f172-bde0-4b1c-9f32-ab5e2cc72fee" + "7127b2fe-37b2-4716-a8f2-442649d3800e" ], "x-ms-correlation-request-id": [ - "75d8f172-bde0-4b1c-9f32-ab5e2cc72fee" + "7127b2fe-37b2-4716-a8f2-442649d3800e" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173141Z:75d8f172-bde0-4b1c-9f32-ab5e2cc72fee" + "WESTCENTRALUS:20210427T174500Z:7127b2fe-37b2-4716-a8f2-442649d3800e" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:31:41 GMT" + "Tue, 27 Apr 2021 17:44:59 GMT" ], "Content-Length": [ "458" @@ -309,26 +309,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases\",\r\n \"name\": \"databaseName\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName\",\r\n \"_rid\": \"IFdVAA==\",\r\n \"_self\": \"dbs/IFdVAA==/\",\r\n \"_etag\": \"\\\"00006400-0000-0200-0000-603fc7e30000\\\"\",\r\n \"_colls\": \"colls/\",\r\n \"_users\": \"users/\",\r\n \"_ts\": 1614792675\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases\",\r\n \"name\": \"databaseName\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName\",\r\n \"_rid\": \"6EAGAA==\",\r\n \"_self\": \"dbs/6EAGAA==/\",\r\n \"_etag\": \"\\\"0000c20e-0000-0200-0000-60884d820000\\\"\",\r\n \"_colls\": \"colls/\",\r\n \"_users\": \"users/\",\r\n \"_ts\": 1619545474\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName2?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUyP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName2?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUyP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "PUT", "RequestBody": "{\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName2\"\r\n },\r\n \"options\": {\r\n \"throughput\": 700\r\n }\r\n },\r\n \"location\": \"EAST US 2\",\r\n \"tags\": {\r\n \"key3\": \"value3\",\r\n \"key4\": \"value4\"\r\n }\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "520f94e9-ceed-4ba8-ac2b-c47e597505a2" + "7a824c4d-7cd2-4b9b-9334-b4643edd8256" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -345,13 +345,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName2/operationResults/0d97528d-d9d9-4132-bd89-df1c821df03d?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName2/operationResults/db60d581-18ae-4752-99f7-ceb089ecfd58?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/0d97528d-d9d9-4132-bd89-df1c821df03d?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/db60d581-18ae-4752-99f7-ceb089ecfd58?api-version=2021-04-15" ], "x-ms-request-id": [ - "0d97528d-d9d9-4132-bd89-df1c821df03d" + "db60d581-18ae-4752-99f7-ceb089ecfd58" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -366,16 +366,16 @@ "1198" ], "x-ms-correlation-request-id": [ - "413c1247-ddb3-4ca3-abc9-a9284c539f8e" + "52c39d89-fe3c-46c8-91fb-b814f7eed34e" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173142Z:413c1247-ddb3-4ca3-abc9-a9284c539f8e" + "WESTCENTRALUS:20210427T174501Z:52c39d89-fe3c-46c8-91fb-b814f7eed34e" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:31:42 GMT" + "Tue, 27 Apr 2021 17:45:00 GMT" ], "Content-Length": [ "21" @@ -388,16 +388,16 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/0d97528d-d9d9-4132-bd89-df1c821df03d?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzBkOTc1MjhkLWQ5ZDktNDEzMi1iZDg5LWRmMWM4MjFkZjAzZD9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/db60d581-18ae-4752-99f7-ceb089ecfd58?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2RiNjBkNTgxLTE4YWUtNDc1Mi05OWY3LWNlYjA4OWVjZmQ1OD9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -420,19 +420,19 @@ "11996" ], "x-ms-request-id": [ - "2558d5c8-56cb-46b8-8470-9989d18f2621" + "88139015-4731-4228-90ea-80262773d5c9" ], "x-ms-correlation-request-id": [ - "2558d5c8-56cb-46b8-8470-9989d18f2621" + "88139015-4731-4228-90ea-80262773d5c9" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173212Z:2558d5c8-56cb-46b8-8470-9989d18f2621" + "WESTCENTRALUS:20210427T174531Z:88139015-4731-4228-90ea-80262773d5c9" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:32:11 GMT" + "Tue, 27 Apr 2021 17:45:31 GMT" ], "Content-Length": [ "22" @@ -445,16 +445,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName2?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUyP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName2?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUyP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -477,19 +477,19 @@ "11995" ], "x-ms-request-id": [ - "6bbbfd0b-d668-4d42-8dd6-cacf37058ed2" + "92e448e2-5116-4447-aad1-23c733243fc0" ], "x-ms-correlation-request-id": [ - "6bbbfd0b-d668-4d42-8dd6-cacf37058ed2" + "92e448e2-5116-4447-aad1-23c733243fc0" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173212Z:6bbbfd0b-d668-4d42-8dd6-cacf37058ed2" + "WESTCENTRALUS:20210427T174531Z:92e448e2-5116-4447-aad1-23c733243fc0" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:32:11 GMT" + "Tue, 27 Apr 2021 17:45:31 GMT" ], "Content-Length": [ "461" @@ -498,26 +498,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases\",\r\n \"name\": \"databaseName2\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName2\",\r\n \"_rid\": \"zHIiAA==\",\r\n \"_self\": \"dbs/zHIiAA==/\",\r\n \"_etag\": \"\\\"00006600-0000-0200-0000-603fc8090000\\\"\",\r\n \"_colls\": \"colls/\",\r\n \"_users\": \"users/\",\r\n \"_ts\": 1614792713\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases\",\r\n \"name\": \"databaseName2\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName2\",\r\n \"_rid\": \"ok8iAA==\",\r\n \"_self\": \"dbs/ok8iAA==/\",\r\n \"_etag\": \"\\\"0000c40e-0000-0200-0000-60884da60000\\\"\",\r\n \"_colls\": \"colls/\",\r\n \"_users\": \"users/\",\r\n \"_ts\": 1619545510\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "4dec6eb8-d258-4088-9b06-be6faa786d9d" + "a7bde4cb-aa97-479f-99f1-80aa77bd5a51" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -540,19 +540,19 @@ "11994" ], "x-ms-request-id": [ - "012e73d9-51ee-41c0-9a77-abb1cd222d87" + "d286f36f-c978-4ee5-9eff-a8902e42c87e" ], "x-ms-correlation-request-id": [ - "012e73d9-51ee-41c0-9a77-abb1cd222d87" + "d286f36f-c978-4ee5-9eff-a8902e42c87e" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173212Z:012e73d9-51ee-41c0-9a77-abb1cd222d87" + "WESTCENTRALUS:20210427T174531Z:d286f36f-c978-4ee5-9eff-a8902e42c87e" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:32:11 GMT" + "Tue, 27 Apr 2021 17:45:31 GMT" ], "Content-Length": [ "932" @@ -561,26 +561,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases\",\r\n \"name\": \"databaseName2\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName2\",\r\n \"_rid\": \"zHIiAA==\",\r\n \"_self\": \"dbs/zHIiAA==/\",\r\n \"_etag\": \"\\\"00006600-0000-0200-0000-603fc8090000\\\"\",\r\n \"_colls\": \"colls/\",\r\n \"_users\": \"users/\",\r\n \"_ts\": 1614792713\r\n }\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases\",\r\n \"name\": \"databaseName\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName\",\r\n \"_rid\": \"IFdVAA==\",\r\n \"_self\": \"dbs/IFdVAA==/\",\r\n \"_etag\": \"\\\"00006400-0000-0200-0000-603fc7e30000\\\"\",\r\n \"_colls\": \"colls/\",\r\n \"_users\": \"users/\",\r\n \"_ts\": 1614792675\r\n }\r\n }\r\n }\r\n ]\r\n}", + "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases\",\r\n \"name\": \"databaseName\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName\",\r\n \"_rid\": \"6EAGAA==\",\r\n \"_self\": \"dbs/6EAGAA==/\",\r\n \"_etag\": \"\\\"0000c20e-0000-0200-0000-60884d820000\\\"\",\r\n \"_colls\": \"colls/\",\r\n \"_users\": \"users/\",\r\n \"_ts\": 1619545474\r\n }\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName2\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases\",\r\n \"name\": \"databaseName2\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"databaseName2\",\r\n \"_rid\": \"ok8iAA==\",\r\n \"_self\": \"dbs/ok8iAA==/\",\r\n \"_etag\": \"\\\"0000c40e-0000-0200-0000-60884da60000\\\"\",\r\n \"_colls\": \"colls/\",\r\n \"_users\": \"users/\",\r\n \"_ts\": 1619545510\r\n }\r\n }\r\n }\r\n ]\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName2/throughputSettings/default?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUyL3Rocm91Z2hwdXRTZXR0aW5ncy9kZWZhdWx0P2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName2/throughputSettings/default?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUyL3Rocm91Z2hwdXRTZXR0aW5ncy9kZWZhdWx0P2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "dc331f90-1fd9-4aa8-8c87-3fb8fb7e6088" + "6b95967e-fba5-483c-9cd5-6fbfe5915734" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -603,19 +603,19 @@ "11993" ], "x-ms-request-id": [ - "e95d464e-18c9-46da-bfe9-ba442d3d0b54" + "f61ad662-cad8-41a9-b72a-ed0f15fb528b" ], "x-ms-correlation-request-id": [ - "e95d464e-18c9-46da-bfe9-ba442d3d0b54" + "f61ad662-cad8-41a9-b72a-ed0f15fb528b" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173212Z:e95d464e-18c9-46da-bfe9-ba442d3d0b54" + "WESTCENTRALUS:20210427T174532Z:f61ad662-cad8-41a9-b72a-ed0f15fb528b" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:32:11 GMT" + "Tue, 27 Apr 2021 17:45:31 GMT" ], "Content-Length": [ "374" @@ -624,26 +624,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName2/throughputSettings/default\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/throughputSettings\",\r\n \"name\": \"8QX5\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"throughput\": 700,\r\n \"minimumThroughput\": \"400\"\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName2/throughputSettings/default\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/throughputSettings\",\r\n \"name\": \"1nZu\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"throughput\": 700,\r\n \"minimumThroughput\": \"400\"\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "PUT", "RequestBody": "{\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"containerName\",\r\n \"indexingPolicy\": {\r\n \"automatic\": true,\r\n \"indexingMode\": \"consistent\",\r\n \"includedPaths\": [\r\n {\r\n \"path\": \"/*\"\r\n }\r\n ],\r\n \"excludedPaths\": [\r\n {\r\n \"path\": \"/pathToNotIndex/*\"\r\n }\r\n ],\r\n \"compositeIndexes\": [\r\n [\r\n {\r\n \"path\": \"/orderByPath1\",\r\n \"order\": \"ascending\"\r\n },\r\n {\r\n \"path\": \"/orderByPath2\",\r\n \"order\": \"descending\"\r\n }\r\n ],\r\n [\r\n {\r\n \"path\": \"/orderByPath3\",\r\n \"order\": \"ascending\"\r\n },\r\n {\r\n \"path\": \"/orderByPath4\",\r\n \"order\": \"descending\"\r\n }\r\n ]\r\n ]\r\n },\r\n \"partitionKey\": {\r\n \"paths\": [\r\n \"/address/zipCode\"\r\n ],\r\n \"kind\": \"Hash\"\r\n }\r\n },\r\n \"options\": {\r\n \"throughput\": 700\r\n }\r\n }\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "bd64015a-83ca-44d8-8d9f-f75a77db4777" + "74fffc6c-7156-4be3-83ff-c65b9b73df8d" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -660,13 +660,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/operationResults/d5c11006-8128-4168-a40b-8d2270a6a4e6?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/operationResults/f055147d-6919-4744-b6c3-2cbd3e853278?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d5c11006-8128-4168-a40b-8d2270a6a4e6?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/f055147d-6919-4744-b6c3-2cbd3e853278?api-version=2021-04-15" ], "x-ms-request-id": [ - "d5c11006-8128-4168-a40b-8d2270a6a4e6" + "f055147d-6919-4744-b6c3-2cbd3e853278" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -681,16 +681,16 @@ "1197" ], "x-ms-correlation-request-id": [ - "a9dd6b85-c546-4887-95ee-b79602d66d16" + "57e37d4e-1fca-4361-a3bd-9ae6d1abea62" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173213Z:a9dd6b85-c546-4887-95ee-b79602d66d16" + "WESTCENTRALUS:20210427T174533Z:57e37d4e-1fca-4361-a3bd-9ae6d1abea62" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:32:12 GMT" + "Tue, 27 Apr 2021 17:45:32 GMT" ], "Content-Length": [ "21" @@ -703,16 +703,16 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d5c11006-8128-4168-a40b-8d2270a6a4e6?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2Q1YzExMDA2LTgxMjgtNDE2OC1hNDBiLThkMjI3MGE2YTRlNj9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/f055147d-6919-4744-b6c3-2cbd3e853278?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2YwNTUxNDdkLTY5MTktNDc0NC1iNmMzLTJjYmQzZTg1MzI3OD9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -735,19 +735,19 @@ "11992" ], "x-ms-request-id": [ - "53b99985-6ab4-4fbb-b3b5-144a4e63ba3f" + "07b93a27-2e05-462d-af06-852cf7434fad" ], "x-ms-correlation-request-id": [ - "53b99985-6ab4-4fbb-b3b5-144a4e63ba3f" + "07b93a27-2e05-462d-af06-852cf7434fad" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173243Z:53b99985-6ab4-4fbb-b3b5-144a4e63ba3f" + "WESTCENTRALUS:20210427T174603Z:07b93a27-2e05-462d-af06-852cf7434fad" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:32:43 GMT" + "Tue, 27 Apr 2021 17:46:02 GMT" ], "Content-Length": [ "22" @@ -760,16 +760,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -792,19 +792,19 @@ "11991" ], "x-ms-request-id": [ - "26cd34a0-4940-4e25-9104-25ac4456e52a" + "2e789efb-0f12-4214-829a-d11fb1534b12" ], "x-ms-correlation-request-id": [ - "26cd34a0-4940-4e25-9104-25ac4456e52a" + "2e789efb-0f12-4214-829a-d11fb1534b12" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173243Z:26cd34a0-4940-4e25-9104-25ac4456e52a" + "WESTCENTRALUS:20210427T174603Z:2e789efb-0f12-4214-829a-d11fb1534b12" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:32:43 GMT" + "Tue, 27 Apr 2021 17:46:02 GMT" ], "Content-Length": [ "1320" @@ -813,26 +813,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers\",\r\n \"name\": \"containerName\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"containerName\",\r\n \"indexingPolicy\": {\r\n \"indexingMode\": \"consistent\",\r\n \"automatic\": true,\r\n \"includedPaths\": [\r\n {\r\n \"path\": \"/*\"\r\n }\r\n ],\r\n \"excludedPaths\": [\r\n {\r\n \"path\": \"/pathToNotIndex/*\"\r\n },\r\n {\r\n \"path\": \"/\\\"_etag\\\"/?\"\r\n }\r\n ],\r\n \"compositeIndexes\": [\r\n [\r\n {\r\n \"path\": \"/orderByPath1\",\r\n \"order\": \"ascending\"\r\n },\r\n {\r\n \"path\": \"/orderByPath2\",\r\n \"order\": \"descending\"\r\n }\r\n ],\r\n [\r\n {\r\n \"path\": \"/orderByPath3\",\r\n \"order\": \"ascending\"\r\n },\r\n {\r\n \"path\": \"/orderByPath4\",\r\n \"order\": \"descending\"\r\n }\r\n ]\r\n ]\r\n },\r\n \"partitionKey\": {\r\n \"paths\": [\r\n \"/address/zipCode\"\r\n ],\r\n \"kind\": \"Hash\"\r\n },\r\n \"uniqueKeyPolicy\": {\r\n \"uniqueKeys\": []\r\n },\r\n \"conflictResolutionPolicy\": {\r\n \"mode\": \"LastWriterWins\",\r\n \"conflictResolutionPath\": \"/_ts\",\r\n \"conflictResolutionProcedure\": \"\"\r\n },\r\n \"allowMaterializedViews\": false,\r\n \"geospatialConfig\": {\r\n \"type\": \"Geography\"\r\n },\r\n \"_rid\": \"IFdVAIuHKQU=\",\r\n \"_ts\": 1614792743,\r\n \"_self\": \"dbs/IFdVAA==/colls/IFdVAIuHKQU=/\",\r\n \"_etag\": \"\\\"00006a00-0000-0200-0000-603fc8270000\\\"\",\r\n \"_docs\": \"docs/\",\r\n \"_sprocs\": \"sprocs/\",\r\n \"_triggers\": \"triggers/\",\r\n \"_udfs\": \"udfs/\",\r\n \"_conflicts\": \"conflicts/\",\r\n \"statistics\": [\r\n {\r\n \"id\": \"0\",\r\n \"sizeInKB\": 0,\r\n \"documentCount\": 0,\r\n \"partitionKeys\": []\r\n }\r\n ]\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers\",\r\n \"name\": \"containerName\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"containerName\",\r\n \"indexingPolicy\": {\r\n \"indexingMode\": \"consistent\",\r\n \"automatic\": true,\r\n \"includedPaths\": [\r\n {\r\n \"path\": \"/*\"\r\n }\r\n ],\r\n \"excludedPaths\": [\r\n {\r\n \"path\": \"/pathToNotIndex/*\"\r\n },\r\n {\r\n \"path\": \"/\\\"_etag\\\"/?\"\r\n }\r\n ],\r\n \"compositeIndexes\": [\r\n [\r\n {\r\n \"path\": \"/orderByPath1\",\r\n \"order\": \"ascending\"\r\n },\r\n {\r\n \"path\": \"/orderByPath2\",\r\n \"order\": \"descending\"\r\n }\r\n ],\r\n [\r\n {\r\n \"path\": \"/orderByPath3\",\r\n \"order\": \"ascending\"\r\n },\r\n {\r\n \"path\": \"/orderByPath4\",\r\n \"order\": \"descending\"\r\n }\r\n ]\r\n ]\r\n },\r\n \"partitionKey\": {\r\n \"paths\": [\r\n \"/address/zipCode\"\r\n ],\r\n \"kind\": \"Hash\"\r\n },\r\n \"uniqueKeyPolicy\": {\r\n \"uniqueKeys\": []\r\n },\r\n \"conflictResolutionPolicy\": {\r\n \"mode\": \"LastWriterWins\",\r\n \"conflictResolutionPath\": \"/_ts\",\r\n \"conflictResolutionProcedure\": \"\"\r\n },\r\n \"allowMaterializedViews\": false,\r\n \"geospatialConfig\": {\r\n \"type\": \"Geography\"\r\n },\r\n \"_rid\": \"6EAGAPmHjic=\",\r\n \"_ts\": 1619545541,\r\n \"_self\": \"dbs/6EAGAA==/colls/6EAGAPmHjic=/\",\r\n \"_etag\": \"\\\"0000c80e-0000-0200-0000-60884dc50000\\\"\",\r\n \"_docs\": \"docs/\",\r\n \"_sprocs\": \"sprocs/\",\r\n \"_triggers\": \"triggers/\",\r\n \"_udfs\": \"udfs/\",\r\n \"_conflicts\": \"conflicts/\",\r\n \"statistics\": [\r\n {\r\n \"id\": \"0\",\r\n \"sizeInKB\": 0,\r\n \"documentCount\": 0,\r\n \"partitionKeys\": []\r\n }\r\n ]\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "d81156a4-7801-4ef2-9e6f-3f2cb83a239a" + "1ed83b9b-a737-4486-b056-8ec4fc507a01" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -855,19 +855,19 @@ "11990" ], "x-ms-request-id": [ - "a0bb8073-a9db-42fc-b271-d949536c3daf" + "c7163b76-0b04-463b-ae4c-159824cd638c" ], "x-ms-correlation-request-id": [ - "a0bb8073-a9db-42fc-b271-d949536c3daf" + "c7163b76-0b04-463b-ae4c-159824cd638c" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173244Z:a0bb8073-a9db-42fc-b271-d949536c3daf" + "WESTCENTRALUS:20210427T174603Z:c7163b76-0b04-463b-ae4c-159824cd638c" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:32:43 GMT" + "Tue, 27 Apr 2021 17:46:02 GMT" ], "Content-Length": [ "1256" @@ -876,26 +876,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers\",\r\n \"name\": \"containerName\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"containerName\",\r\n \"indexingPolicy\": {\r\n \"indexingMode\": \"consistent\",\r\n \"automatic\": true,\r\n \"includedPaths\": [\r\n {\r\n \"path\": \"/*\"\r\n }\r\n ],\r\n \"excludedPaths\": [\r\n {\r\n \"path\": \"/pathToNotIndex/*\"\r\n },\r\n {\r\n \"path\": \"/\\\"_etag\\\"/?\"\r\n }\r\n ],\r\n \"compositeIndexes\": [\r\n [\r\n {\r\n \"path\": \"/orderByPath1\",\r\n \"order\": \"ascending\"\r\n },\r\n {\r\n \"path\": \"/orderByPath2\",\r\n \"order\": \"descending\"\r\n }\r\n ],\r\n [\r\n {\r\n \"path\": \"/orderByPath3\",\r\n \"order\": \"ascending\"\r\n },\r\n {\r\n \"path\": \"/orderByPath4\",\r\n \"order\": \"descending\"\r\n }\r\n ]\r\n ]\r\n },\r\n \"partitionKey\": {\r\n \"paths\": [\r\n \"/address/zipCode\"\r\n ],\r\n \"kind\": \"Hash\"\r\n },\r\n \"uniqueKeyPolicy\": {\r\n \"uniqueKeys\": []\r\n },\r\n \"conflictResolutionPolicy\": {\r\n \"mode\": \"LastWriterWins\",\r\n \"conflictResolutionPath\": \"/_ts\",\r\n \"conflictResolutionProcedure\": \"\"\r\n },\r\n \"allowMaterializedViews\": false,\r\n \"geospatialConfig\": {\r\n \"type\": \"Geography\"\r\n },\r\n \"_rid\": \"IFdVAIuHKQU=\",\r\n \"_ts\": 1614792743,\r\n \"_self\": \"dbs/IFdVAA==/colls/IFdVAIuHKQU=/\",\r\n \"_etag\": \"\\\"00006a00-0000-0200-0000-603fc8270000\\\"\",\r\n \"_docs\": \"docs/\",\r\n \"_sprocs\": \"sprocs/\",\r\n \"_triggers\": \"triggers/\",\r\n \"_udfs\": \"udfs/\",\r\n \"_conflicts\": \"conflicts/\"\r\n }\r\n }\r\n }\r\n ]\r\n}", + "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers\",\r\n \"name\": \"containerName\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"containerName\",\r\n \"indexingPolicy\": {\r\n \"indexingMode\": \"consistent\",\r\n \"automatic\": true,\r\n \"includedPaths\": [\r\n {\r\n \"path\": \"/*\"\r\n }\r\n ],\r\n \"excludedPaths\": [\r\n {\r\n \"path\": \"/pathToNotIndex/*\"\r\n },\r\n {\r\n \"path\": \"/\\\"_etag\\\"/?\"\r\n }\r\n ],\r\n \"compositeIndexes\": [\r\n [\r\n {\r\n \"path\": \"/orderByPath1\",\r\n \"order\": \"ascending\"\r\n },\r\n {\r\n \"path\": \"/orderByPath2\",\r\n \"order\": \"descending\"\r\n }\r\n ],\r\n [\r\n {\r\n \"path\": \"/orderByPath3\",\r\n \"order\": \"ascending\"\r\n },\r\n {\r\n \"path\": \"/orderByPath4\",\r\n \"order\": \"descending\"\r\n }\r\n ]\r\n ]\r\n },\r\n \"partitionKey\": {\r\n \"paths\": [\r\n \"/address/zipCode\"\r\n ],\r\n \"kind\": \"Hash\"\r\n },\r\n \"uniqueKeyPolicy\": {\r\n \"uniqueKeys\": []\r\n },\r\n \"conflictResolutionPolicy\": {\r\n \"mode\": \"LastWriterWins\",\r\n \"conflictResolutionPath\": \"/_ts\",\r\n \"conflictResolutionProcedure\": \"\"\r\n },\r\n \"allowMaterializedViews\": false,\r\n \"geospatialConfig\": {\r\n \"type\": \"Geography\"\r\n },\r\n \"_rid\": \"6EAGAPmHjic=\",\r\n \"_ts\": 1619545541,\r\n \"_self\": \"dbs/6EAGAA==/colls/6EAGAPmHjic=/\",\r\n \"_etag\": \"\\\"0000c80e-0000-0200-0000-60884dc50000\\\"\",\r\n \"_docs\": \"docs/\",\r\n \"_sprocs\": \"sprocs/\",\r\n \"_triggers\": \"triggers/\",\r\n \"_udfs\": \"udfs/\",\r\n \"_conflicts\": \"conflicts/\"\r\n }\r\n }\r\n }\r\n ]\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/storedProcedures/storedProcedureName?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3N0b3JlZFByb2NlZHVyZXMvc3RvcmVkUHJvY2VkdXJlTmFtZT9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/storedProcedures/storedProcedureName?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3N0b3JlZFByb2NlZHVyZXMvc3RvcmVkUHJvY2VkdXJlTmFtZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "PUT", "RequestBody": "{\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"storedProcedureName\",\r\n \"body\": \"function () { var context = getContext(); var response = context.getResponse();response.setBody('Hello, World');}\"\r\n },\r\n \"options\": {}\r\n }\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "218d8212-724e-4f7d-8481-f0d42351d8be" + "9dba277c-ce85-4b62-9c38-49b6ef23420e" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -912,13 +912,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/storedProcedures/storedProcedureName/operationResults/09e3883a-eadf-4c13-8096-e1a6035e8fc5?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/storedProcedures/storedProcedureName/operationResults/708065d8-37f0-473a-bb55-9d0cb17d4500?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/09e3883a-eadf-4c13-8096-e1a6035e8fc5?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/708065d8-37f0-473a-bb55-9d0cb17d4500?api-version=2021-04-15" ], "x-ms-request-id": [ - "09e3883a-eadf-4c13-8096-e1a6035e8fc5" + "708065d8-37f0-473a-bb55-9d0cb17d4500" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -933,16 +933,16 @@ "1196" ], "x-ms-correlation-request-id": [ - "ecd759e0-6ee4-402b-abad-fe7eb89899f8" + "37eb7699-325a-4012-99fb-b121e52f656f" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173244Z:ecd759e0-6ee4-402b-abad-fe7eb89899f8" + "WESTCENTRALUS:20210427T174604Z:37eb7699-325a-4012-99fb-b121e52f656f" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:32:44 GMT" + "Tue, 27 Apr 2021 17:46:03 GMT" ], "Content-Length": [ "21" @@ -955,16 +955,16 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/09e3883a-eadf-4c13-8096-e1a6035e8fc5?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzA5ZTM4ODNhLWVhZGYtNGMxMy04MDk2LWUxYTYwMzVlOGZjNT9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/708065d8-37f0-473a-bb55-9d0cb17d4500?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzcwODA2NWQ4LTM3ZjAtNDczYS1iYjU1LTlkMGNiMTdkNDUwMD9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -987,19 +987,19 @@ "11989" ], "x-ms-request-id": [ - "89207bbc-f07d-4385-bfda-e7094cc34a49" + "0c1d6466-3bdb-46fe-9750-87792f5cf76a" ], "x-ms-correlation-request-id": [ - "89207bbc-f07d-4385-bfda-e7094cc34a49" + "0c1d6466-3bdb-46fe-9750-87792f5cf76a" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173315Z:89207bbc-f07d-4385-bfda-e7094cc34a49" + "WESTCENTRALUS:20210427T174634Z:0c1d6466-3bdb-46fe-9750-87792f5cf76a" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:33:15 GMT" + "Tue, 27 Apr 2021 17:46:33 GMT" ], "Content-Length": [ "22" @@ -1012,16 +1012,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/storedProcedures/storedProcedureName?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3N0b3JlZFByb2NlZHVyZXMvc3RvcmVkUHJvY2VkdXJlTmFtZT9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/storedProcedures/storedProcedureName?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3N0b3JlZFByb2NlZHVyZXMvc3RvcmVkUHJvY2VkdXJlTmFtZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1044,19 +1044,19 @@ "11988" ], "x-ms-request-id": [ - "94442f7f-b305-4e46-a834-d2c16679ad8d" + "490e2ddb-1cb7-42fe-96e0-97f60b4e4bfe" ], "x-ms-correlation-request-id": [ - "94442f7f-b305-4e46-a834-d2c16679ad8d" + "490e2ddb-1cb7-42fe-96e0-97f60b4e4bfe" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173315Z:94442f7f-b305-4e46-a834-d2c16679ad8d" + "WESTCENTRALUS:20210427T174634Z:490e2ddb-1cb7-42fe-96e0-97f60b4e4bfe" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:33:15 GMT" + "Tue, 27 Apr 2021 17:46:34 GMT" ], "Content-Length": [ "716" @@ -1065,26 +1065,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/storedProcedures/storedProcedureName\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/storedProcedures\",\r\n \"name\": \"storedProcedureName\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"storedProcedureName\",\r\n \"body\": \"function () { var context = getContext(); var response = context.getResponse();response.setBody('Hello, World');}\",\r\n \"_rid\": \"IFdVAIuHKQUBAAAAAAAAgA==\",\r\n \"_self\": \"dbs/IFdVAA==/colls/IFdVAIuHKQU=/sprocs/IFdVAIuHKQUBAAAAAAAAgA==/\",\r\n \"_etag\": \"\\\"00004505-0000-0200-0000-603fc8420000\\\"\",\r\n \"_ts\": 1614792770\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/storedProcedures/storedProcedureName\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/storedProcedures\",\r\n \"name\": \"storedProcedureName\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"storedProcedureName\",\r\n \"body\": \"function () { var context = getContext(); var response = context.getResponse();response.setBody('Hello, World');}\",\r\n \"_rid\": \"6EAGAPmHjicBAAAAAAAAgA==\",\r\n \"_self\": \"dbs/6EAGAA==/colls/6EAGAPmHjic=/sprocs/6EAGAPmHjicBAAAAAAAAgA==/\",\r\n \"_etag\": \"\\\"7100f55f-0000-0200-0000-60884de20000\\\"\",\r\n \"_ts\": 1619545570\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/storedProcedures?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3N0b3JlZFByb2NlZHVyZXM/YXBpLXZlcnNpb249MjAyMS0wMy0wMS1wcmV2aWV3", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/storedProcedures?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3N0b3JlZFByb2NlZHVyZXM/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "e3688dcc-fb93-42a3-9f97-0b2c3b025aad" + "bd3da3c0-ffc6-4e95-9b0f-b96cca43bb21" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1107,19 +1107,19 @@ "11987" ], "x-ms-request-id": [ - "534010fe-1797-4653-b368-1e0367ace413" + "974828c0-1f2b-4580-8043-7fe3cb260549" ], "x-ms-correlation-request-id": [ - "534010fe-1797-4653-b368-1e0367ace413" + "974828c0-1f2b-4580-8043-7fe3cb260549" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173315Z:534010fe-1797-4653-b368-1e0367ace413" + "WESTCENTRALUS:20210427T174635Z:974828c0-1f2b-4580-8043-7fe3cb260549" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:33:15 GMT" + "Tue, 27 Apr 2021 17:46:34 GMT" ], "Content-Length": [ "728" @@ -1128,26 +1128,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/storedProcedures/storedProcedureName\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/storedProcedures\",\r\n \"name\": \"storedProcedureName\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"storedProcedureName\",\r\n \"body\": \"function () { var context = getContext(); var response = context.getResponse();response.setBody('Hello, World');}\",\r\n \"_rid\": \"IFdVAIuHKQUBAAAAAAAAgA==\",\r\n \"_self\": \"dbs/IFdVAA==/colls/IFdVAIuHKQU=/sprocs/IFdVAIuHKQUBAAAAAAAAgA==/\",\r\n \"_etag\": \"\\\"00004505-0000-0200-0000-603fc8420000\\\"\",\r\n \"_ts\": 1614792770\r\n }\r\n }\r\n }\r\n ]\r\n}", + "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/storedProcedures/storedProcedureName\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/storedProcedures\",\r\n \"name\": \"storedProcedureName\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"storedProcedureName\",\r\n \"body\": \"function () { var context = getContext(); var response = context.getResponse();response.setBody('Hello, World');}\",\r\n \"_rid\": \"6EAGAPmHjicBAAAAAAAAgA==\",\r\n \"_self\": \"dbs/6EAGAA==/colls/6EAGAPmHjic=/sprocs/6EAGAPmHjicBAAAAAAAAgA==/\",\r\n \"_etag\": \"\\\"7100f55f-0000-0200-0000-60884de20000\\\"\",\r\n \"_ts\": 1619545570\r\n }\r\n }\r\n }\r\n ]\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/storedProcedures/storedProcedureName?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3N0b3JlZFByb2NlZHVyZXMvc3RvcmVkUHJvY2VkdXJlTmFtZT9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/storedProcedures/storedProcedureName?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3N0b3JlZFByb2NlZHVyZXMvc3RvcmVkUHJvY2VkdXJlTmFtZT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "DELETE", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "31f48d22-d1b3-40ed-96d7-aac1636e48bd" + "66a6e26b-a722-4877-b42a-26f6885e5b4f" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1158,13 +1158,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/storedProcedures/storedProcedureName/operationResults/49a29c3e-d1e5-479a-ac75-7d2b4504b9f6?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/storedProcedures/storedProcedureName/operationResults/c9e521d7-56af-44b5-8433-ad093504c418?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/49a29c3e-d1e5-479a-ac75-7d2b4504b9f6?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c9e521d7-56af-44b5-8433-ad093504c418?api-version=2021-04-15" ], "x-ms-request-id": [ - "49a29c3e-d1e5-479a-ac75-7d2b4504b9f6" + "c9e521d7-56af-44b5-8433-ad093504c418" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -1179,16 +1179,16 @@ "14999" ], "x-ms-correlation-request-id": [ - "1d948cc1-97e0-4f33-a511-1562a8e62fcc" + "f13c4992-7600-43a7-a56d-9113dc195912" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173316Z:1d948cc1-97e0-4f33-a511-1562a8e62fcc" + "WESTCENTRALUS:20210427T174635Z:f13c4992-7600-43a7-a56d-9113dc195912" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:33:16 GMT" + "Tue, 27 Apr 2021 17:46:35 GMT" ], "Content-Length": [ "21" @@ -1201,22 +1201,22 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/userDefinedFunctions/userDefinedFunctionName?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3VzZXJEZWZpbmVkRnVuY3Rpb25zL3VzZXJEZWZpbmVkRnVuY3Rpb25OYW1lP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/userDefinedFunctions/userDefinedFunctionName?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3VzZXJEZWZpbmVkRnVuY3Rpb25zL3VzZXJEZWZpbmVkRnVuY3Rpb25OYW1lP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "PUT", "RequestBody": "{\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"userDefinedFunctionName\",\r\n \"body\": \"function () { var context = getContext(); var response = context.getResponse();response.setBody('Hello, World');}\"\r\n },\r\n \"options\": {}\r\n }\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "1000b304-db39-4d78-8401-ded49284afcf" + "8e861382-100c-459c-9d7f-5db3c05b8e01" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -1233,13 +1233,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/userDefinedFunctions/userDefinedFunctionName/operationResults/f8b6c29b-8860-43f5-b8ce-17539297977f?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/userDefinedFunctions/userDefinedFunctionName/operationResults/b6dc992f-4cb1-45a4-8d0e-8398012d27a5?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/f8b6c29b-8860-43f5-b8ce-17539297977f?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/b6dc992f-4cb1-45a4-8d0e-8398012d27a5?api-version=2021-04-15" ], "x-ms-request-id": [ - "f8b6c29b-8860-43f5-b8ce-17539297977f" + "b6dc992f-4cb1-45a4-8d0e-8398012d27a5" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -1254,16 +1254,16 @@ "1199" ], "x-ms-correlation-request-id": [ - "e5ff727e-05cc-44d2-9fe8-315f73a9adc1" + "81ebf9cc-f3e0-4270-92cd-0b80d4f5c010" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173316Z:e5ff727e-05cc-44d2-9fe8-315f73a9adc1" + "WESTUS:20210427T174636Z:81ebf9cc-f3e0-4270-92cd-0b80d4f5c010" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:33:16 GMT" + "Tue, 27 Apr 2021 17:46:35 GMT" ], "Content-Length": [ "21" @@ -1276,16 +1276,16 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/49a29c3e-d1e5-479a-ac75-7d2b4504b9f6?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzQ5YTI5YzNlLWQxZTUtNDc5YS1hYzc1LTdkMmI0NTA0YjlmNj9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c9e521d7-56af-44b5-8433-ad093504c418?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2M5ZTUyMWQ3LTU2YWYtNDRiNS04NDMzLWFkMDkzNTA0YzQxOD9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1305,22 +1305,22 @@ "Microsoft-HTTPAPI/2.0" ], "x-ms-ratelimit-remaining-subscription-reads": [ - "11996" + "11999" ], "x-ms-request-id": [ - "9e3a83d1-7083-4867-a92b-3aa86ada761f" + "569f1bcf-b5a1-42d1-97df-6b8a1c236812" ], "x-ms-correlation-request-id": [ - "9e3a83d1-7083-4867-a92b-3aa86ada761f" + "569f1bcf-b5a1-42d1-97df-6b8a1c236812" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173346Z:9e3a83d1-7083-4867-a92b-3aa86ada761f" + "WESTUS:20210427T174706Z:569f1bcf-b5a1-42d1-97df-6b8a1c236812" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:33:45 GMT" + "Tue, 27 Apr 2021 17:47:05 GMT" ], "Content-Length": [ "22" @@ -1333,16 +1333,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/storedProcedures/storedProcedureName/operationResults/49a29c3e-d1e5-479a-ac75-7d2b4504b9f6?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3N0b3JlZFByb2NlZHVyZXMvc3RvcmVkUHJvY2VkdXJlTmFtZS9vcGVyYXRpb25SZXN1bHRzLzQ5YTI5YzNlLWQxZTUtNDc5YS1hYzc1LTdkMmI0NTA0YjlmNj9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/storedProcedures/storedProcedureName/operationResults/c9e521d7-56af-44b5-8433-ad093504c418?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3N0b3JlZFByb2NlZHVyZXMvc3RvcmVkUHJvY2VkdXJlTmFtZS9vcGVyYXRpb25SZXN1bHRzL2M5ZTUyMWQ3LTU2YWYtNDRiNS04NDMzLWFkMDkzNTA0YzQxOD9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1362,22 +1362,22 @@ "Microsoft-HTTPAPI/2.0" ], "x-ms-ratelimit-remaining-subscription-reads": [ - "11995" + "11998" ], "x-ms-request-id": [ - "8a2ceb01-2148-4bfd-b7b8-152f93ec01c0" + "ebb02d10-dfb2-444a-8fdc-c5e53607f322" ], "x-ms-correlation-request-id": [ - "8a2ceb01-2148-4bfd-b7b8-152f93ec01c0" + "ebb02d10-dfb2-444a-8fdc-c5e53607f322" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173346Z:8a2ceb01-2148-4bfd-b7b8-152f93ec01c0" + "WESTUS:20210427T174706Z:ebb02d10-dfb2-444a-8fdc-c5e53607f322" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:33:45 GMT" + "Tue, 27 Apr 2021 17:47:05 GMT" ], "Content-Type": [ "application/json" @@ -1387,16 +1387,16 @@ "StatusCode": 204 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/f8b6c29b-8860-43f5-b8ce-17539297977f?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2Y4YjZjMjliLTg4NjAtNDNmNS1iOGNlLTE3NTM5Mjk3OTc3Zj9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/b6dc992f-4cb1-45a4-8d0e-8398012d27a5?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2I2ZGM5OTJmLTRjYjEtNDVhNC04ZDBlLTgzOTgwMTJkMjdhNT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1419,19 +1419,19 @@ "11986" ], "x-ms-request-id": [ - "4981bfd3-7912-4f1f-878b-3563f51139e5" + "40abf89d-5378-4f8f-8f57-5a53eb91c53c" ], "x-ms-correlation-request-id": [ - "4981bfd3-7912-4f1f-878b-3563f51139e5" + "40abf89d-5378-4f8f-8f57-5a53eb91c53c" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173347Z:4981bfd3-7912-4f1f-878b-3563f51139e5" + "WESTCENTRALUS:20210427T174706Z:40abf89d-5378-4f8f-8f57-5a53eb91c53c" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:33:46 GMT" + "Tue, 27 Apr 2021 17:47:06 GMT" ], "Content-Length": [ "22" @@ -1444,16 +1444,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/userDefinedFunctions/userDefinedFunctionName?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3VzZXJEZWZpbmVkRnVuY3Rpb25zL3VzZXJEZWZpbmVkRnVuY3Rpb25OYW1lP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/userDefinedFunctions/userDefinedFunctionName?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3VzZXJEZWZpbmVkRnVuY3Rpb25zL3VzZXJEZWZpbmVkRnVuY3Rpb25OYW1lP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1476,19 +1476,19 @@ "11985" ], "x-ms-request-id": [ - "5cc92ae4-2a8f-4bd3-a703-e5089384ad42" + "a27fdc45-fff3-4a04-92d8-94c1b7177a53" ], "x-ms-correlation-request-id": [ - "5cc92ae4-2a8f-4bd3-a703-e5089384ad42" + "a27fdc45-fff3-4a04-92d8-94c1b7177a53" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173347Z:5cc92ae4-2a8f-4bd3-a703-e5089384ad42" + "WESTCENTRALUS:20210427T174706Z:a27fdc45-fff3-4a04-92d8-94c1b7177a53" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:33:46 GMT" + "Tue, 27 Apr 2021 17:47:06 GMT" ], "Content-Length": [ "734" @@ -1497,26 +1497,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/userDefinedFunctions/userDefinedFunctionName\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/userDefinedFunctions\",\r\n \"name\": \"userDefinedFunctionName\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"userDefinedFunctionName\",\r\n \"body\": \"function () { var context = getContext(); var response = context.getResponse();response.setBody('Hello, World');}\",\r\n \"_rid\": \"IFdVAIuHKQUBAAAAAAAAYA==\",\r\n \"_self\": \"dbs/IFdVAA==/colls/IFdVAIuHKQU=/udfs/IFdVAIuHKQUBAAAAAAAAYA==/\",\r\n \"_etag\": \"\\\"00004605-0000-0200-0000-603fc8610000\\\"\",\r\n \"_ts\": 1614792801\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/userDefinedFunctions/userDefinedFunctionName\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/userDefinedFunctions\",\r\n \"name\": \"userDefinedFunctionName\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"userDefinedFunctionName\",\r\n \"body\": \"function () { var context = getContext(); var response = context.getResponse();response.setBody('Hello, World');}\",\r\n \"_rid\": \"6EAGAPmHjicBAAAAAAAAYA==\",\r\n \"_self\": \"dbs/6EAGAA==/colls/6EAGAPmHjic=/udfs/6EAGAPmHjicBAAAAAAAAYA==/\",\r\n \"_etag\": \"\\\"71008162-0000-0200-0000-60884e010000\\\"\",\r\n \"_ts\": 1619545601\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/userDefinedFunctions?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3VzZXJEZWZpbmVkRnVuY3Rpb25zP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/userDefinedFunctions?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3VzZXJEZWZpbmVkRnVuY3Rpb25zP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "fc906610-384c-4f4b-9210-2d6b08496ae6" + "516b30ba-9178-40f4-aca8-45c68c1597b0" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1539,19 +1539,19 @@ "11984" ], "x-ms-request-id": [ - "a928b63e-cc1a-47a4-b1db-681ce2622fdd" + "25c0d2c0-06b9-4ef8-bb12-cf35701c527e" ], "x-ms-correlation-request-id": [ - "a928b63e-cc1a-47a4-b1db-681ce2622fdd" + "25c0d2c0-06b9-4ef8-bb12-cf35701c527e" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173347Z:a928b63e-cc1a-47a4-b1db-681ce2622fdd" + "WESTCENTRALUS:20210427T174707Z:25c0d2c0-06b9-4ef8-bb12-cf35701c527e" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:33:46 GMT" + "Tue, 27 Apr 2021 17:47:06 GMT" ], "Content-Length": [ "746" @@ -1560,26 +1560,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/userDefinedFunctions/userDefinedFunctionName\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/userDefinedFunctions\",\r\n \"name\": \"userDefinedFunctionName\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"userDefinedFunctionName\",\r\n \"body\": \"function () { var context = getContext(); var response = context.getResponse();response.setBody('Hello, World');}\",\r\n \"_rid\": \"IFdVAIuHKQUBAAAAAAAAYA==\",\r\n \"_self\": \"dbs/IFdVAA==/colls/IFdVAIuHKQU=/udfs/IFdVAIuHKQUBAAAAAAAAYA==/\",\r\n \"_etag\": \"\\\"00004605-0000-0200-0000-603fc8610000\\\"\",\r\n \"_ts\": 1614792801\r\n }\r\n }\r\n }\r\n ]\r\n}", + "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/userDefinedFunctions/userDefinedFunctionName\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/userDefinedFunctions\",\r\n \"name\": \"userDefinedFunctionName\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"userDefinedFunctionName\",\r\n \"body\": \"function () { var context = getContext(); var response = context.getResponse();response.setBody('Hello, World');}\",\r\n \"_rid\": \"6EAGAPmHjicBAAAAAAAAYA==\",\r\n \"_self\": \"dbs/6EAGAA==/colls/6EAGAPmHjic=/udfs/6EAGAPmHjicBAAAAAAAAYA==/\",\r\n \"_etag\": \"\\\"71008162-0000-0200-0000-60884e010000\\\"\",\r\n \"_ts\": 1619545601\r\n }\r\n }\r\n }\r\n ]\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/userDefinedFunctions/userDefinedFunctionName?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3VzZXJEZWZpbmVkRnVuY3Rpb25zL3VzZXJEZWZpbmVkRnVuY3Rpb25OYW1lP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/userDefinedFunctions/userDefinedFunctionName?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3VzZXJEZWZpbmVkRnVuY3Rpb25zL3VzZXJEZWZpbmVkRnVuY3Rpb25OYW1lP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "DELETE", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "7519ec24-4847-4a32-953c-18a722978e34" + "356f4db4-8efa-4e44-bd30-38e0457347ea" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1590,13 +1590,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/userDefinedFunctions/userDefinedFunctionName/operationResults/81838fe9-092b-4d52-abf6-f31e5a72c117?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/userDefinedFunctions/userDefinedFunctionName/operationResults/b329581f-999a-4f22-927d-d54d969b827d?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/81838fe9-092b-4d52-abf6-f31e5a72c117?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/b329581f-999a-4f22-927d-d54d969b827d?api-version=2021-04-15" ], "x-ms-request-id": [ - "81838fe9-092b-4d52-abf6-f31e5a72c117" + "b329581f-999a-4f22-927d-d54d969b827d" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -1611,16 +1611,16 @@ "14998" ], "x-ms-correlation-request-id": [ - "6a3fec7a-42f7-4330-9322-f158e63ce298" + "1b3f6e9e-4916-4269-93a7-b0a9cb2bf75c" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173348Z:6a3fec7a-42f7-4330-9322-f158e63ce298" + "WESTCENTRALUS:20210427T174707Z:1b3f6e9e-4916-4269-93a7-b0a9cb2bf75c" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:33:47 GMT" + "Tue, 27 Apr 2021 17:47:07 GMT" ], "Content-Length": [ "21" @@ -1633,22 +1633,22 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/triggers/triggerName?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3RyaWdnZXJzL3RyaWdnZXJOYW1lP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/triggers/triggerName?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3RyaWdnZXJzL3RyaWdnZXJOYW1lP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "PUT", "RequestBody": "{\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"triggerName\",\r\n \"body\": \"function () { var context = getContext(); var response = context.getResponse();response.setBody('Hello, World');}\",\r\n \"triggerType\": \"Pre\",\r\n \"triggerOperation\": \"All\"\r\n },\r\n \"options\": {}\r\n }\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "0b2f0829-d3d7-400a-93c7-7a2719af5cf5" + "317d0d86-e70e-4385-8a1f-147d30274107" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -1665,13 +1665,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/triggers/triggerName/operationResults/7c533fa6-59d3-4dde-8f41-92b756fe67e3?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/triggers/triggerName/operationResults/c2305891-264d-4893-ba81-8491c7fb717d?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/7c533fa6-59d3-4dde-8f41-92b756fe67e3?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c2305891-264d-4893-ba81-8491c7fb717d?api-version=2021-04-15" ], "x-ms-request-id": [ - "7c533fa6-59d3-4dde-8f41-92b756fe67e3" + "c2305891-264d-4893-ba81-8491c7fb717d" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -1683,19 +1683,19 @@ "Microsoft-HTTPAPI/2.0" ], "x-ms-ratelimit-remaining-subscription-writes": [ - "1199" + "1198" ], "x-ms-correlation-request-id": [ - "53bde0e5-02bb-41d9-8e4a-b29f7c13bd3c" + "e93f4159-9aac-4b0a-b9f0-6166b1d24b2c" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173348Z:53bde0e5-02bb-41d9-8e4a-b29f7c13bd3c" + "WESTCENTRALUS:20210427T174708Z:e93f4159-9aac-4b0a-b9f0-6166b1d24b2c" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:33:48 GMT" + "Tue, 27 Apr 2021 17:47:08 GMT" ], "Content-Length": [ "21" @@ -1708,16 +1708,16 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/81838fe9-092b-4d52-abf6-f31e5a72c117?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzgxODM4ZmU5LTA5MmItNGQ1Mi1hYmY2LWYzMWU1YTcyYzExNz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/b329581f-999a-4f22-927d-d54d969b827d?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2IzMjk1ODFmLTk5OWEtNGYyMi05MjdkLWQ1NGQ5NjliODI3ZD9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1737,22 +1737,22 @@ "Microsoft-HTTPAPI/2.0" ], "x-ms-ratelimit-remaining-subscription-reads": [ - "11999" + "11998" ], "x-ms-request-id": [ - "58cf9f6b-12b1-46e6-872e-9eb3db6956cd" + "21d54e91-3bb6-4250-a15d-d25384e1a750" ], "x-ms-correlation-request-id": [ - "58cf9f6b-12b1-46e6-872e-9eb3db6956cd" + "21d54e91-3bb6-4250-a15d-d25384e1a750" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173418Z:58cf9f6b-12b1-46e6-872e-9eb3db6956cd" + "WESTCENTRALUS:20210427T174737Z:21d54e91-3bb6-4250-a15d-d25384e1a750" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:34:17 GMT" + "Tue, 27 Apr 2021 17:47:37 GMT" ], "Content-Length": [ "22" @@ -1765,16 +1765,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/userDefinedFunctions/userDefinedFunctionName/operationResults/81838fe9-092b-4d52-abf6-f31e5a72c117?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3VzZXJEZWZpbmVkRnVuY3Rpb25zL3VzZXJEZWZpbmVkRnVuY3Rpb25OYW1lL29wZXJhdGlvblJlc3VsdHMvODE4MzhmZTktMDkyYi00ZDUyLWFiZjYtZjMxZTVhNzJjMTE3P2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/userDefinedFunctions/userDefinedFunctionName/operationResults/b329581f-999a-4f22-927d-d54d969b827d?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3VzZXJEZWZpbmVkRnVuY3Rpb25zL3VzZXJEZWZpbmVkRnVuY3Rpb25OYW1lL29wZXJhdGlvblJlc3VsdHMvYjMyOTU4MWYtOTk5YS00ZjIyLTkyN2QtZDU0ZDk2OWI4MjdkP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1794,22 +1794,22 @@ "Microsoft-HTTPAPI/2.0" ], "x-ms-ratelimit-remaining-subscription-reads": [ - "11998" + "11997" ], "x-ms-request-id": [ - "a5ae2079-7bbe-4b44-96ef-2965a264fd4e" + "b5bf3c24-e729-4605-9b03-1a56a0defcb7" ], "x-ms-correlation-request-id": [ - "a5ae2079-7bbe-4b44-96ef-2965a264fd4e" + "b5bf3c24-e729-4605-9b03-1a56a0defcb7" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173418Z:a5ae2079-7bbe-4b44-96ef-2965a264fd4e" + "WESTCENTRALUS:20210427T174738Z:b5bf3c24-e729-4605-9b03-1a56a0defcb7" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:34:17 GMT" + "Tue, 27 Apr 2021 17:47:37 GMT" ], "Content-Type": [ "application/json" @@ -1819,16 +1819,16 @@ "StatusCode": 204 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/7c533fa6-59d3-4dde-8f41-92b756fe67e3?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzdjNTMzZmE2LTU5ZDMtNGRkZS04ZjQxLTkyYjc1NmZlNjdlMz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/c2305891-264d-4893-ba81-8491c7fb717d?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2MyMzA1ODkxLTI2NGQtNDg5My1iYTgxLTg0OTFjN2ZiNzE3ZD9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1851,19 +1851,19 @@ "11983" ], "x-ms-request-id": [ - "49d0731d-efff-41e6-b5e3-434411670f6e" + "7317914c-5c22-4240-b317-103325561d4e" ], "x-ms-correlation-request-id": [ - "49d0731d-efff-41e6-b5e3-434411670f6e" + "7317914c-5c22-4240-b317-103325561d4e" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173418Z:49d0731d-efff-41e6-b5e3-434411670f6e" + "WESTCENTRALUS:20210427T174738Z:7317914c-5c22-4240-b317-103325561d4e" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:34:18 GMT" + "Tue, 27 Apr 2021 17:47:37 GMT" ], "Content-Length": [ "22" @@ -1876,16 +1876,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/triggers/triggerName?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3RyaWdnZXJzL3RyaWdnZXJOYW1lP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/triggers/triggerName?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3RyaWdnZXJzL3RyaWdnZXJOYW1lP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1908,19 +1908,19 @@ "11982" ], "x-ms-request-id": [ - "7676f4f4-f9ce-44bf-a0cb-2b6dd2193298" + "bd00cd5e-3678-46de-9f8d-c6f139c7e3d4" ], "x-ms-correlation-request-id": [ - "7676f4f4-f9ce-44bf-a0cb-2b6dd2193298" + "bd00cd5e-3678-46de-9f8d-c6f139c7e3d4" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173419Z:7676f4f4-f9ce-44bf-a0cb-2b6dd2193298" + "WESTCENTRALUS:20210427T174738Z:bd00cd5e-3678-46de-9f8d-c6f139c7e3d4" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:34:18 GMT" + "Tue, 27 Apr 2021 17:47:38 GMT" ], "Content-Length": [ "723" @@ -1929,26 +1929,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/triggers/triggerName\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/triggers\",\r\n \"name\": \"triggerName\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"triggerName\",\r\n \"body\": \"function () { var context = getContext(); var response = context.getResponse();response.setBody('Hello, World');}\",\r\n \"triggerType\": \"Pre\",\r\n \"triggerOperation\": \"All\",\r\n \"_rid\": \"IFdVAIuHKQUBAAAAAAAAcA==\",\r\n \"_self\": \"dbs/IFdVAA==/colls/IFdVAIuHKQU=/triggers/IFdVAIuHKQUBAAAAAAAAcA==/\",\r\n \"_etag\": \"\\\"00004705-0000-0200-0000-603fc8840000\\\"\",\r\n \"_ts\": 1614792836\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/triggers/triggerName\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/triggers\",\r\n \"name\": \"triggerName\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"triggerName\",\r\n \"body\": \"function () { var context = getContext(); var response = context.getResponse();response.setBody('Hello, World');}\",\r\n \"triggerType\": \"Pre\",\r\n \"triggerOperation\": \"All\",\r\n \"_rid\": \"6EAGAPmHjicBAAAAAAAAcA==\",\r\n \"_self\": \"dbs/6EAGAA==/colls/6EAGAPmHjic=/triggers/6EAGAPmHjicBAAAAAAAAcA==/\",\r\n \"_etag\": \"\\\"71003765-0000-0200-0000-60884e210000\\\"\",\r\n \"_ts\": 1619545633\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/triggers?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3RyaWdnZXJzP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/triggers?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbERhdGFiYXNlcy9kYXRhYmFzZU5hbWUvY29udGFpbmVycy9jb250YWluZXJOYW1lL3RyaWdnZXJzP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "bb6f33d8-cd07-406e-9462-26b65be347b0" + "370a1d13-4df9-4013-93ef-a6b0bad449db" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1971,19 +1971,19 @@ "11981" ], "x-ms-request-id": [ - "4fb36fb5-a4e5-4672-81e0-0bca58a3a79a" + "744172fc-344e-442c-9697-2ae8d7796ed0" ], "x-ms-correlation-request-id": [ - "4fb36fb5-a4e5-4672-81e0-0bca58a3a79a" + "744172fc-344e-442c-9697-2ae8d7796ed0" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173419Z:4fb36fb5-a4e5-4672-81e0-0bca58a3a79a" + "WESTCENTRALUS:20210427T174738Z:744172fc-344e-442c-9697-2ae8d7796ed0" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:34:18 GMT" + "Tue, 27 Apr 2021 17:47:38 GMT" ], "Content-Length": [ "735" @@ -1992,7 +1992,7 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlDatabases/databaseName/containers/containerName/triggers/triggerName\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/triggers\",\r\n \"name\": \"triggerName\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"triggerName\",\r\n \"body\": \"function () { var context = getContext(); var response = context.getResponse();response.setBody('Hello, World');}\",\r\n \"triggerType\": \"Pre\",\r\n \"triggerOperation\": \"All\",\r\n \"_rid\": \"IFdVAIuHKQUBAAAAAAAAcA==\",\r\n \"_self\": \"dbs/IFdVAA==/colls/IFdVAIuHKQU=/triggers/IFdVAIuHKQUBAAAAAAAAcA==/\",\r\n \"_etag\": \"\\\"00004705-0000-0200-0000-603fc8840000\\\"\",\r\n \"_ts\": 1614792836\r\n }\r\n }\r\n }\r\n ]\r\n}", + "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlDatabases/databaseName/containers/containerName/triggers/triggerName\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/triggers\",\r\n \"name\": \"triggerName\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"triggerName\",\r\n \"body\": \"function () { var context = getContext(); var response = context.getResponse();response.setBody('Hello, World');}\",\r\n \"triggerType\": \"Pre\",\r\n \"triggerOperation\": \"All\",\r\n \"_rid\": \"6EAGAPmHjicBAAAAAAAAcA==\",\r\n \"_self\": \"dbs/6EAGAA==/colls/6EAGAPmHjic=/triggers/6EAGAPmHjicBAAAAAAAAcA==/\",\r\n \"_etag\": \"\\\"71003765-0000-0200-0000-60884e210000\\\"\",\r\n \"_ts\": 1619545633\r\n }\r\n }\r\n }\r\n ]\r\n}", "StatusCode": 200 } ], diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/SqlResourcesOperationsTests/SqlRoleTests.json b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/SqlResourcesOperationsTests/SqlRoleTests.json index 9bb3287cf63c..d8e1e66e8d24 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/SqlResourcesOperationsTests/SqlRoleTests.json +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/SqlResourcesOperationsTests/SqlRoleTests.json @@ -1,22 +1,22 @@ { "Entries": [ { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/70580ac3-cd0b-4549-8336-2f0d55df111e?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlRGVmaW5pdGlvbnMvNzA1ODBhYzMtY2QwYi00NTQ5LTgzMzYtMmYwZDU1ZGYxMTFlP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/70580ac3-cd0b-4549-8336-2f0d55df111e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlRGVmaW5pdGlvbnMvNzA1ODBhYzMtY2QwYi00NTQ5LTgzMzYtMmYwZDU1ZGYxMTFlP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "PUT", "RequestBody": "{\r\n \"properties\": {\r\n \"roleName\": \"roleName\",\r\n \"type\": \"CustomRole\",\r\n \"assignableScopes\": [\r\n \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac\"\r\n ],\r\n \"permissions\": [\r\n {\r\n \"dataActions\": [\r\n \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/items/create\",\r\n \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/items/read\"\r\n ]\r\n }\r\n ]\r\n }\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "77df2fa5-29a9-42c0-aaeb-b8a18ec31f75" + "65baeeea-782b-4729-a956-6b7685c54575" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -33,13 +33,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/70580ac3-cd0b-4549-8336-2f0d55df111e/operationResults/e022e0de-e149-4470-8664-daae8db86953?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/70580ac3-cd0b-4549-8336-2f0d55df111e/operationResults/0a078d69-c290-4c4d-a234-163b333712ea?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e022e0de-e149-4470-8664-daae8db86953?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/0a078d69-c290-4c4d-a234-163b333712ea?api-version=2021-04-15" ], "x-ms-request-id": [ - "e022e0de-e149-4470-8664-daae8db86953" + "0a078d69-c290-4c4d-a234-163b333712ea" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -54,16 +54,16 @@ "1199" ], "x-ms-correlation-request-id": [ - "7baddffe-02ed-446f-81ae-987b040ce7b5" + "4776df49-650c-4654-a8e0-6c7d1938ec86" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172625Z:7baddffe-02ed-446f-81ae-987b040ce7b5" + "WESTUS:20210427T185256Z:4776df49-650c-4654-a8e0-6c7d1938ec86" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:26:24 GMT" + "Tue, 27 Apr 2021 18:52:56 GMT" ], "Content-Length": [ "21" @@ -76,22 +76,22 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/70580ac3-cd0b-4549-8336-2f0d55df111e?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlRGVmaW5pdGlvbnMvNzA1ODBhYzMtY2QwYi00NTQ5LTgzMzYtMmYwZDU1ZGYxMTFlP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/70580ac3-cd0b-4549-8336-2f0d55df111e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlRGVmaW5pdGlvbnMvNzA1ODBhYzMtY2QwYi00NTQ5LTgzMzYtMmYwZDU1ZGYxMTFlP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "PUT", - "RequestBody": "{\r\n \"properties\": {\r\n \"roleName\": \"roleName3\",\r\n \"type\": \"CustomRole\",\r\n \"assignableScopes\": [\r\n \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934\"\r\n ],\r\n \"permissions\": [\r\n {\r\n \"dataActions\": [\r\n \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/items/create\",\r\n \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/items/delete\",\r\n \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/items/replace\"\r\n ]\r\n }\r\n ]\r\n }\r\n}", + "RequestBody": "{\r\n \"properties\": {\r\n \"roleName\": \"roleName3\",\r\n \"type\": \"CustomRole\",\r\n \"assignableScopes\": [\r\n \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124\"\r\n ],\r\n \"permissions\": [\r\n {\r\n \"dataActions\": [\r\n \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/items/create\",\r\n \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/items/delete\",\r\n \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/items/replace\"\r\n ]\r\n }\r\n ]\r\n }\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "af29e6d9-f4d0-432b-8222-0273402e39d9" + "7c605e66-6e98-4f17-8ad4-2309730e984b" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -108,13 +108,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/70580ac3-cd0b-4549-8336-2f0d55df111e/operationResults/b97b6b38-d3c8-4648-ab73-80287a882c7f?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/70580ac3-cd0b-4549-8336-2f0d55df111e/operationResults/5e7e1323-f723-48de-9c8c-06979c12a5e0?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/b97b6b38-d3c8-4648-ab73-80287a882c7f?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/5e7e1323-f723-48de-9c8c-06979c12a5e0?api-version=2021-04-15" ], "x-ms-request-id": [ - "b97b6b38-d3c8-4648-ab73-80287a882c7f" + "5e7e1323-f723-48de-9c8c-06979c12a5e0" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -129,16 +129,16 @@ "1197" ], "x-ms-correlation-request-id": [ - "8132c11e-5dda-46b2-9240-3086ada81f26" + "60b6403d-c040-4713-97f9-76cd6a87a2cf" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172728Z:8132c11e-5dda-46b2-9240-3086ada81f26" + "WESTUS:20210427T185400Z:60b6403d-c040-4713-97f9-76cd6a87a2cf" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:27:27 GMT" + "Tue, 27 Apr 2021 18:54:00 GMT" ], "Content-Length": [ "21" @@ -151,16 +151,16 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/e022e0de-e149-4470-8664-daae8db86953?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2UwMjJlMGRlLWUxNDktNDQ3MC04NjY0LWRhYWU4ZGI4Njk1Mz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/0a078d69-c290-4c4d-a234-163b333712ea?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzBhMDc4ZDY5LWMyOTAtNGM0ZC1hMjM0LTE2M2IzMzM3MTJlYT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -183,19 +183,19 @@ "11999" ], "x-ms-request-id": [ - "440952dc-514e-4674-9a44-1a15cd8a23fc" + "292ccb2b-dc9f-476e-a55e-209933df0429" ], "x-ms-correlation-request-id": [ - "440952dc-514e-4674-9a44-1a15cd8a23fc" + "292ccb2b-dc9f-476e-a55e-209933df0429" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172655Z:440952dc-514e-4674-9a44-1a15cd8a23fc" + "WESTUS:20210427T185326Z:292ccb2b-dc9f-476e-a55e-209933df0429" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:26:55 GMT" + "Tue, 27 Apr 2021 18:53:26 GMT" ], "Content-Length": [ "22" @@ -208,16 +208,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/70580ac3-cd0b-4549-8336-2f0d55df111e?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlRGVmaW5pdGlvbnMvNzA1ODBhYzMtY2QwYi00NTQ5LTgzMzYtMmYwZDU1ZGYxMTFlP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/70580ac3-cd0b-4549-8336-2f0d55df111e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlRGVmaW5pdGlvbnMvNzA1ODBhYzMtY2QwYi00NTQ5LTgzMzYtMmYwZDU1ZGYxMTFlP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -240,19 +240,19 @@ "11998" ], "x-ms-request-id": [ - "838610ab-e8a1-41f0-8ddb-025644f21c0f" + "88bddc15-e11e-4136-bd86-b3a3d154b75b" ], "x-ms-correlation-request-id": [ - "838610ab-e8a1-41f0-8ddb-025644f21c0f" + "88bddc15-e11e-4136-bd86-b3a3d154b75b" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172655Z:838610ab-e8a1-41f0-8ddb-025644f21c0f" + "WESTUS:20210427T185327Z:88bddc15-e11e-4136-bd86-b3a3d154b75b" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:26:55 GMT" + "Tue, 27 Apr 2021 18:53:26 GMT" ], "Content-Length": [ "743" @@ -265,22 +265,22 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/70580ac3-cd0b-4549-8336-2f0d55df111e?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlRGVmaW5pdGlvbnMvNzA1ODBhYzMtY2QwYi00NTQ5LTgzMzYtMmYwZDU1ZGYxMTFlP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/70580ac3-cd0b-4549-8336-2f0d55df111e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlRGVmaW5pdGlvbnMvNzA1ODBhYzMtY2QwYi00NTQ5LTgzMzYtMmYwZDU1ZGYxMTFlP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "2b806d2e-7dd6-48d5-867f-c303ba433f63" + "79926309-2afb-4a6f-b898-8587be573218" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -303,19 +303,19 @@ "11997" ], "x-ms-request-id": [ - "02e6443b-59e9-4e26-bddc-5d5f62857321" + "1ce0d7da-0b63-40db-b825-e39a99b2c541" ], "x-ms-correlation-request-id": [ - "02e6443b-59e9-4e26-bddc-5d5f62857321" + "1ce0d7da-0b63-40db-b825-e39a99b2c541" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172656Z:02e6443b-59e9-4e26-bddc-5d5f62857321" + "WESTUS:20210427T185327Z:1ce0d7da-0b63-40db-b825-e39a99b2c541" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:26:55 GMT" + "Tue, 27 Apr 2021 18:53:27 GMT" ], "Content-Length": [ "743" @@ -328,16 +328,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/70580ac3-cd0b-4549-8336-2f0d55df111e?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlRGVmaW5pdGlvbnMvNzA1ODBhYzMtY2QwYi00NTQ5LTgzMzYtMmYwZDU1ZGYxMTFlP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/70580ac3-cd0b-4549-8336-2f0d55df111e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlRGVmaW5pdGlvbnMvNzA1ODBhYzMtY2QwYi00NTQ5LTgzMzYtMmYwZDU1ZGYxMTFlP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -360,19 +360,19 @@ "11993" ], "x-ms-request-id": [ - "a1c44708-d258-4ac9-8e41-6f17fb453382" + "09df9252-ee21-4db7-ae3d-bf474e78efca" ], "x-ms-correlation-request-id": [ - "a1c44708-d258-4ac9-8e41-6f17fb453382" + "09df9252-ee21-4db7-ae3d-bf474e78efca" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172758Z:a1c44708-d258-4ac9-8e41-6f17fb453382" + "WESTUS:20210427T185431Z:09df9252-ee21-4db7-ae3d-bf474e78efca" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:27:58 GMT" + "Tue, 27 Apr 2021 18:54:30 GMT" ], "Content-Length": [ "824" @@ -385,22 +385,22 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/fbf74201-f33f-46f0-8234-2b8bf15ecec4?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlRGVmaW5pdGlvbnMvZmJmNzQyMDEtZjMzZi00NmYwLTgyMzQtMmI4YmYxNWVjZWM0P2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/fbf74201-f33f-46f0-8234-2b8bf15ecec4?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlRGVmaW5pdGlvbnMvZmJmNzQyMDEtZjMzZi00NmYwLTgyMzQtMmI4YmYxNWVjZWM0P2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "PUT", "RequestBody": "{\r\n \"properties\": {\r\n \"roleName\": \"roleName2\",\r\n \"type\": \"CustomRole\",\r\n \"assignableScopes\": [\r\n \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac\"\r\n ],\r\n \"permissions\": [\r\n {\r\n \"dataActions\": [\r\n \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/items/create\",\r\n \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/items/read\",\r\n \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/items/delete\",\r\n \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/items/replace\"\r\n ]\r\n }\r\n ]\r\n }\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "45f44034-e3e2-4e14-a59a-d8c815f1535b" + "7e155292-1e7b-4acc-a0ea-8322dbff8f24" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -417,13 +417,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/fbf74201-f33f-46f0-8234-2b8bf15ecec4/operationResults/9d6658d6-513e-4c38-989b-b392016096ef?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/fbf74201-f33f-46f0-8234-2b8bf15ecec4/operationResults/22c9e47e-cff8-4772-a06d-0a5e9cf6bd85?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/9d6658d6-513e-4c38-989b-b392016096ef?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/22c9e47e-cff8-4772-a06d-0a5e9cf6bd85?api-version=2021-04-15" ], "x-ms-request-id": [ - "9d6658d6-513e-4c38-989b-b392016096ef" + "22c9e47e-cff8-4772-a06d-0a5e9cf6bd85" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -438,16 +438,16 @@ "1198" ], "x-ms-correlation-request-id": [ - "dc15e22e-336d-45d9-8223-8ecbdcc9b254" + "669a4760-6c2a-4a67-8965-dad4c81b4cc7" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172657Z:dc15e22e-336d-45d9-8223-8ecbdcc9b254" + "WESTUS:20210427T185329Z:669a4760-6c2a-4a67-8965-dad4c81b4cc7" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:26:56 GMT" + "Tue, 27 Apr 2021 18:53:28 GMT" ], "Content-Length": [ "21" @@ -460,16 +460,16 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/9d6658d6-513e-4c38-989b-b392016096ef?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzlkNjY1OGQ2LTUxM2UtNGMzOC05ODliLWIzOTIwMTYwOTZlZj9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/22c9e47e-cff8-4772-a06d-0a5e9cf6bd85?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzIyYzllNDdlLWNmZjgtNDc3Mi1hMDZkLTBhNWU5Y2Y2YmQ4NT9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -492,19 +492,19 @@ "11996" ], "x-ms-request-id": [ - "c5d0af13-9909-472b-a439-0aae88f10f7e" + "635f8373-75b2-438e-bc87-9152a66bad50" ], "x-ms-correlation-request-id": [ - "c5d0af13-9909-472b-a439-0aae88f10f7e" + "635f8373-75b2-438e-bc87-9152a66bad50" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172727Z:c5d0af13-9909-472b-a439-0aae88f10f7e" + "WESTUS:20210427T185359Z:635f8373-75b2-438e-bc87-9152a66bad50" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:27:26 GMT" + "Tue, 27 Apr 2021 18:53:58 GMT" ], "Content-Length": [ "22" @@ -517,16 +517,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/fbf74201-f33f-46f0-8234-2b8bf15ecec4?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlRGVmaW5pdGlvbnMvZmJmNzQyMDEtZjMzZi00NmYwLTgyMzQtMmI4YmYxNWVjZWM0P2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/fbf74201-f33f-46f0-8234-2b8bf15ecec4?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlRGVmaW5pdGlvbnMvZmJmNzQyMDEtZjMzZi00NmYwLTgyMzQtMmI4YmYxNWVjZWM0P2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -549,19 +549,19 @@ "11995" ], "x-ms-request-id": [ - "364a7488-4728-49ab-b0bb-1591df05ffa0" + "8e9d266e-2e53-4961-9cbf-4be006392172" ], "x-ms-correlation-request-id": [ - "364a7488-4728-49ab-b0bb-1591df05ffa0" + "8e9d266e-2e53-4961-9cbf-4be006392172" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172727Z:364a7488-4728-49ab-b0bb-1591df05ffa0" + "WESTUS:20210427T185359Z:8e9d266e-2e53-4961-9cbf-4be006392172" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:27:26 GMT" + "Tue, 27 Apr 2021 18:53:58 GMT" ], "Content-Length": [ "899" @@ -574,16 +574,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/b97b6b38-d3c8-4648-ab73-80287a882c7f?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2I5N2I2YjM4LWQzYzgtNDY0OC1hYjczLTgwMjg3YTg4MmM3Zj9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/5e7e1323-f723-48de-9c8c-06979c12a5e0?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzVlN2UxMzIzLWY3MjMtNDhkZS05YzhjLTA2OTc5YzEyYTVlMD9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -606,19 +606,19 @@ "11994" ], "x-ms-request-id": [ - "124240de-7abf-45a4-92fb-d45815f597cc" + "4640e021-0b1f-427c-bf01-2021c474f274" ], "x-ms-correlation-request-id": [ - "124240de-7abf-45a4-92fb-d45815f597cc" + "4640e021-0b1f-427c-bf01-2021c474f274" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172758Z:124240de-7abf-45a4-92fb-d45815f597cc" + "WESTUS:20210427T185430Z:4640e021-0b1f-427c-bf01-2021c474f274" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:27:58 GMT" + "Tue, 27 Apr 2021 18:54:29 GMT" ], "Content-Length": [ "22" @@ -631,22 +631,22 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlRGVmaW5pdGlvbnM/YXBpLXZlcnNpb249MjAyMS0wMy0wMS1wcmV2aWV3", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlRGVmaW5pdGlvbnM/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "d135923f-6395-4a38-9e2c-4b2575d1baec" + "bd66e807-2f7c-4b76-abc1-666e76291f79" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -669,19 +669,19 @@ "11992" ], "x-ms-request-id": [ - "9b7cbd72-9e11-43aa-a423-4e24c46523e7" + "45797106-2431-4caf-9e8d-16036f2b018c" ], "x-ms-correlation-request-id": [ - "9b7cbd72-9e11-43aa-a423-4e24c46523e7" + "45797106-2431-4caf-9e8d-16036f2b018c" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172759Z:9b7cbd72-9e11-43aa-a423-4e24c46523e7" + "WESTUS:20210427T185431Z:45797106-2431-4caf-9e8d-16036f2b018c" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:27:58 GMT" + "Tue, 27 Apr 2021 18:54:30 GMT" ], "Content-Length": [ "1736" @@ -694,22 +694,22 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/adcb35e1-e104-41c2-b76d-70a8b03e6463?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlQXNzaWdubWVudHMvYWRjYjM1ZTEtZTEwNC00MWMyLWI3NmQtNzBhOGIwM2U2NDYzP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/adcb35e1-e104-41c2-b76d-70a8b03e6463?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlQXNzaWdubWVudHMvYWRjYjM1ZTEtZTEwNC00MWMyLWI3NmQtNzBhOGIwM2U2NDYzP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "PUT", "RequestBody": "{\r\n \"properties\": {\r\n \"roleDefinitionId\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/70580ac3-cd0b-4549-8336-2f0d55df111e\",\r\n \"scope\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/dbs/databaseName\",\r\n \"principalId\": \"ed4c2395-a18c-4018-afb3-6e521e7534d2\"\r\n }\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "a67c6b9c-5f8f-4513-888b-242cb7a88e98" + "0d3b1695-c769-4906-9ded-b89e0085a062" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -726,13 +726,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/adcb35e1-e104-41c2-b76d-70a8b03e6463/operationResults/fd729656-75ce-4a7b-89d8-e8d8d8bb6607?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/adcb35e1-e104-41c2-b76d-70a8b03e6463/operationResults/00e98026-f104-4683-9f46-ba4a16d147a3?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/fd729656-75ce-4a7b-89d8-e8d8d8bb6607?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/00e98026-f104-4683-9f46-ba4a16d147a3?api-version=2021-04-15" ], "x-ms-request-id": [ - "fd729656-75ce-4a7b-89d8-e8d8d8bb6607" + "00e98026-f104-4683-9f46-ba4a16d147a3" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -747,16 +747,16 @@ "1196" ], "x-ms-correlation-request-id": [ - "5ec080db-2a37-43cf-bbd2-f43c9416c654" + "064e5cb8-fa3c-4c85-91ec-dd3915e26541" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172800Z:5ec080db-2a37-43cf-bbd2-f43c9416c654" + "WESTUS:20210427T185432Z:064e5cb8-fa3c-4c85-91ec-dd3915e26541" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:28:00 GMT" + "Tue, 27 Apr 2021 18:54:31 GMT" ], "Content-Length": [ "21" @@ -769,16 +769,16 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/fd729656-75ce-4a7b-89d8-e8d8d8bb6607?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2ZkNzI5NjU2LTc1Y2UtNGE3Yi04OWQ4LWU4ZDhkOGJiNjYwNz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/00e98026-f104-4683-9f46-ba4a16d147a3?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzAwZTk4MDI2LWYxMDQtNDY4My05ZjQ2LWJhNGExNmQxNDdhMz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -801,19 +801,19 @@ "11991" ], "x-ms-request-id": [ - "a16e0236-3230-4d74-8657-1c005aeb2567" + "508655f8-35d3-49c0-9109-2d274e222751" ], "x-ms-correlation-request-id": [ - "a16e0236-3230-4d74-8657-1c005aeb2567" + "508655f8-35d3-49c0-9109-2d274e222751" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172830Z:a16e0236-3230-4d74-8657-1c005aeb2567" + "WESTUS:20210427T185502Z:508655f8-35d3-49c0-9109-2d274e222751" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:28:29 GMT" + "Tue, 27 Apr 2021 18:55:02 GMT" ], "Content-Length": [ "22" @@ -826,16 +826,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/adcb35e1-e104-41c2-b76d-70a8b03e6463?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlQXNzaWdubWVudHMvYWRjYjM1ZTEtZTEwNC00MWMyLWI3NmQtNzBhOGIwM2U2NDYzP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/adcb35e1-e104-41c2-b76d-70a8b03e6463?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlQXNzaWdubWVudHMvYWRjYjM1ZTEtZTEwNC00MWMyLWI3NmQtNzBhOGIwM2U2NDYzP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -858,19 +858,19 @@ "11990" ], "x-ms-request-id": [ - "bbc3246b-0932-42b1-a8c8-30a619bd4a1e" + "57669654-268d-4c1f-92e2-8fc2bbbfa6cf" ], "x-ms-correlation-request-id": [ - "bbc3246b-0932-42b1-a8c8-30a619bd4a1e" + "57669654-268d-4c1f-92e2-8fc2bbbfa6cf" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172830Z:bbc3246b-0932-42b1-a8c8-30a619bd4a1e" + "WESTUS:20210427T185503Z:57669654-268d-4c1f-92e2-8fc2bbbfa6cf" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:28:29 GMT" + "Tue, 27 Apr 2021 18:55:03 GMT" ], "Content-Length": [ "786" @@ -883,22 +883,22 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/adcb35e1-e104-41c2-b76d-70a8b03e6463?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlQXNzaWdubWVudHMvYWRjYjM1ZTEtZTEwNC00MWMyLWI3NmQtNzBhOGIwM2U2NDYzP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/adcb35e1-e104-41c2-b76d-70a8b03e6463?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlQXNzaWdubWVudHMvYWRjYjM1ZTEtZTEwNC00MWMyLWI3NmQtNzBhOGIwM2U2NDYzP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "197e52d5-0f95-4703-b97e-206022847278" + "f878c160-a065-4875-b6ff-b98f35457a4c" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -921,19 +921,19 @@ "11989" ], "x-ms-request-id": [ - "d0a04168-0ab5-4e54-9ba0-d095e12e28cd" + "ae21eb3c-7d5b-491c-bb81-6949ee453673" ], "x-ms-correlation-request-id": [ - "d0a04168-0ab5-4e54-9ba0-d095e12e28cd" + "ae21eb3c-7d5b-491c-bb81-6949ee453673" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172831Z:d0a04168-0ab5-4e54-9ba0-d095e12e28cd" + "WESTUS:20210427T185503Z:ae21eb3c-7d5b-491c-bb81-6949ee453673" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:28:30 GMT" + "Tue, 27 Apr 2021 18:55:03 GMT" ], "Content-Length": [ "786" @@ -946,22 +946,22 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/d5fcc566-a91c-4fce-8f54-138855981e63?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlQXNzaWdubWVudHMvZDVmY2M1NjYtYTkxYy00ZmNlLThmNTQtMTM4ODU1OTgxZTYzP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/d5fcc566-a91c-4fce-8f54-138855981e63?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlQXNzaWdubWVudHMvZDVmY2M1NjYtYTkxYy00ZmNlLThmNTQtMTM4ODU1OTgxZTYzP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "PUT", "RequestBody": "{\r\n \"properties\": {\r\n \"roleDefinitionId\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/fbf74201-f33f-46f0-8234-2b8bf15ecec4\",\r\n \"scope\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac\",\r\n \"principalId\": \"d60019b0-c5a8-4e38-beb9-fb80daa3ce90\"\r\n }\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "f325304c-6106-445c-b47f-6273b9b3f1f4" + "06f6f229-ecbc-4b64-9225-b2ce23ec830a" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -978,13 +978,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/d5fcc566-a91c-4fce-8f54-138855981e63/operationResults/db1443b9-9961-41aa-b14a-b4e0f4119fb6?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/d5fcc566-a91c-4fce-8f54-138855981e63/operationResults/2450ef99-5571-4a84-8242-8348fba6eaef?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/db1443b9-9961-41aa-b14a-b4e0f4119fb6?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/2450ef99-5571-4a84-8242-8348fba6eaef?api-version=2021-04-15" ], "x-ms-request-id": [ - "db1443b9-9961-41aa-b14a-b4e0f4119fb6" + "2450ef99-5571-4a84-8242-8348fba6eaef" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -999,16 +999,16 @@ "1195" ], "x-ms-correlation-request-id": [ - "f28a9fcb-c5b1-473d-814b-07a94d86d6e9" + "4fe309b4-51c7-42e3-b9c9-6b1bb5f34ed4" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172832Z:f28a9fcb-c5b1-473d-814b-07a94d86d6e9" + "WESTUS:20210427T185504Z:4fe309b4-51c7-42e3-b9c9-6b1bb5f34ed4" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:28:31 GMT" + "Tue, 27 Apr 2021 18:55:04 GMT" ], "Content-Length": [ "21" @@ -1021,16 +1021,16 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/db1443b9-9961-41aa-b14a-b4e0f4119fb6?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2RiMTQ0M2I5LTk5NjEtNDFhYS1iMTRhLWI0ZTBmNDExOWZiNj9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/2450ef99-5571-4a84-8242-8348fba6eaef?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzI0NTBlZjk5LTU1NzEtNGE4NC04MjQyLTgzNDhmYmE2ZWFlZj9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1053,19 +1053,19 @@ "11988" ], "x-ms-request-id": [ - "ffff3ecb-44f5-4b08-a901-b569df128a3e" + "8cf34785-4a13-4f70-8a4e-33d539ebc390" ], "x-ms-correlation-request-id": [ - "ffff3ecb-44f5-4b08-a901-b569df128a3e" + "8cf34785-4a13-4f70-8a4e-33d539ebc390" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172902Z:ffff3ecb-44f5-4b08-a901-b569df128a3e" + "WESTUS:20210427T185535Z:8cf34785-4a13-4f70-8a4e-33d539ebc390" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:29:01 GMT" + "Tue, 27 Apr 2021 18:55:34 GMT" ], "Content-Length": [ "22" @@ -1078,16 +1078,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/d5fcc566-a91c-4fce-8f54-138855981e63?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlQXNzaWdubWVudHMvZDVmY2M1NjYtYTkxYy00ZmNlLThmNTQtMTM4ODU1OTgxZTYzP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/d5fcc566-a91c-4fce-8f54-138855981e63?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlQXNzaWdubWVudHMvZDVmY2M1NjYtYTkxYy00ZmNlLThmNTQtMTM4ODU1OTgxZTYzP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1110,19 +1110,19 @@ "11987" ], "x-ms-request-id": [ - "8dbf4535-dcfa-49a7-9101-7a8bf3df7e07" + "4251657d-2ca0-472b-97e5-184db8fed440" ], "x-ms-correlation-request-id": [ - "8dbf4535-dcfa-49a7-9101-7a8bf3df7e07" + "4251657d-2ca0-472b-97e5-184db8fed440" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172902Z:8dbf4535-dcfa-49a7-9101-7a8bf3df7e07" + "WESTUS:20210427T185535Z:4251657d-2ca0-472b-97e5-184db8fed440" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:29:02 GMT" + "Tue, 27 Apr 2021 18:55:35 GMT" ], "Content-Length": [ "769" @@ -1135,22 +1135,22 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlQXNzaWdubWVudHM/YXBpLXZlcnNpb249MjAyMS0wMy0wMS1wcmV2aWV3", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlQXNzaWdubWVudHM/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "3f2a35f6-8935-4050-92e1-ca0cfb4ecfd9" + "5f9eb75c-67f1-46f5-a208-90e9f754641e" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1173,19 +1173,19 @@ "11986" ], "x-ms-request-id": [ - "50c52fe4-57d0-4654-b50e-bae4e71ca5f3" + "84de2ba8-1dde-4923-bef6-d98ff1ff8807" ], "x-ms-correlation-request-id": [ - "50c52fe4-57d0-4654-b50e-bae4e71ca5f3" + "84de2ba8-1dde-4923-bef6-d98ff1ff8807" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172902Z:50c52fe4-57d0-4654-b50e-bae4e71ca5f3" + "WESTUS:20210427T185535Z:84de2ba8-1dde-4923-bef6-d98ff1ff8807" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:29:02 GMT" + "Tue, 27 Apr 2021 18:55:35 GMT" ], "Content-Length": [ "1568" @@ -1194,26 +1194,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/d5fcc566-a91c-4fce-8f54-138855981e63\",\r\n \"name\": \"d5fcc566-a91c-4fce-8f54-138855981e63\",\r\n \"properties\": {\r\n \"roleDefinitionId\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/fbf74201-f33f-46f0-8234-2b8bf15ecec4\",\r\n \"principalId\": \"d60019b0-c5a8-4e38-beb9-fb80daa3ce90\",\r\n \"scope\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac\"\r\n },\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments\"\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/adcb35e1-e104-41c2-b76d-70a8b03e6463\",\r\n \"name\": \"adcb35e1-e104-41c2-b76d-70a8b03e6463\",\r\n \"properties\": {\r\n \"roleDefinitionId\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/70580ac3-cd0b-4549-8336-2f0d55df111e\",\r\n \"principalId\": \"ed4c2395-a18c-4018-afb3-6e521e7534d2\",\r\n \"scope\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/dbs/databaseName\"\r\n },\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments\"\r\n }\r\n ]\r\n}", + "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/adcb35e1-e104-41c2-b76d-70a8b03e6463\",\r\n \"name\": \"adcb35e1-e104-41c2-b76d-70a8b03e6463\",\r\n \"properties\": {\r\n \"roleDefinitionId\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/70580ac3-cd0b-4549-8336-2f0d55df111e\",\r\n \"principalId\": \"ed4c2395-a18c-4018-afb3-6e521e7534d2\",\r\n \"scope\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/dbs/databaseName\"\r\n },\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments\"\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/d5fcc566-a91c-4fce-8f54-138855981e63\",\r\n \"name\": \"d5fcc566-a91c-4fce-8f54-138855981e63\",\r\n \"properties\": {\r\n \"roleDefinitionId\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/fbf74201-f33f-46f0-8234-2b8bf15ecec4\",\r\n \"principalId\": \"d60019b0-c5a8-4e38-beb9-fb80daa3ce90\",\r\n \"scope\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac\"\r\n },\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments\"\r\n }\r\n ]\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/d5fcc566-a91c-4fce-8f54-138855981e63?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlQXNzaWdubWVudHMvZDVmY2M1NjYtYTkxYy00ZmNlLThmNTQtMTM4ODU1OTgxZTYzP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/adcb35e1-e104-41c2-b76d-70a8b03e6463?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlQXNzaWdubWVudHMvYWRjYjM1ZTEtZTEwNC00MWMyLWI3NmQtNzBhOGIwM2U2NDYzP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "DELETE", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "e15e13d8-506e-4af6-a2fe-4d37624b71d1" + "a4703928-b686-4fd9-be5a-f984a572d798" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1224,13 +1224,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/d5fcc566-a91c-4fce-8f54-138855981e63/operationResults/78daeace-be1b-439e-b6e5-a8e7a7720962?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/adcb35e1-e104-41c2-b76d-70a8b03e6463/operationResults/612c1299-71a2-4c9d-b61a-73533ae4cc33?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/78daeace-be1b-439e-b6e5-a8e7a7720962?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/612c1299-71a2-4c9d-b61a-73533ae4cc33?api-version=2021-04-15" ], "x-ms-request-id": [ - "78daeace-be1b-439e-b6e5-a8e7a7720962" + "612c1299-71a2-4c9d-b61a-73533ae4cc33" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -1245,16 +1245,16 @@ "14999" ], "x-ms-correlation-request-id": [ - "b9f166f6-f1a8-4005-8c12-9a30febe6680" + "f2c19109-f12c-4c8d-ac53-651c5d5d129b" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172903Z:b9f166f6-f1a8-4005-8c12-9a30febe6680" + "WESTUS:20210427T185536Z:f2c19109-f12c-4c8d-ac53-651c5d5d129b" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:29:03 GMT" + "Tue, 27 Apr 2021 18:55:36 GMT" ], "Content-Length": [ "21" @@ -1267,16 +1267,16 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/78daeace-be1b-439e-b6e5-a8e7a7720962?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzc4ZGFlYWNlLWJlMWItNDM5ZS1iNmU1LWE4ZTdhNzcyMDk2Mj9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/612c1299-71a2-4c9d-b61a-73533ae4cc33?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzYxMmMxMjk5LTcxYTItNGM5ZC1iNjFhLTczNTMzYWU0Y2MzMz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1299,19 +1299,19 @@ "11985" ], "x-ms-request-id": [ - "6e5ef7d9-2739-47fc-984c-790f2badad61" + "d9ac20f4-f8d4-4b65-a789-d082e1a2dcc8" ], "x-ms-correlation-request-id": [ - "6e5ef7d9-2739-47fc-984c-790f2badad61" + "d9ac20f4-f8d4-4b65-a789-d082e1a2dcc8" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172933Z:6e5ef7d9-2739-47fc-984c-790f2badad61" + "WESTUS:20210427T185607Z:d9ac20f4-f8d4-4b65-a789-d082e1a2dcc8" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:29:33 GMT" + "Tue, 27 Apr 2021 18:56:06 GMT" ], "Content-Length": [ "22" @@ -1324,16 +1324,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/d5fcc566-a91c-4fce-8f54-138855981e63/operationResults/78daeace-be1b-439e-b6e5-a8e7a7720962?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlQXNzaWdubWVudHMvZDVmY2M1NjYtYTkxYy00ZmNlLThmNTQtMTM4ODU1OTgxZTYzL29wZXJhdGlvblJlc3VsdHMvNzhkYWVhY2UtYmUxYi00MzllLWI2ZTUtYThlN2E3NzIwOTYyP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/adcb35e1-e104-41c2-b76d-70a8b03e6463/operationResults/612c1299-71a2-4c9d-b61a-73533ae4cc33?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlQXNzaWdubWVudHMvYWRjYjM1ZTEtZTEwNC00MWMyLWI3NmQtNzBhOGIwM2U2NDYzL29wZXJhdGlvblJlc3VsdHMvNjEyYzEyOTktNzFhMi00YzlkLWI2MWEtNzM1MzNhZTRjYzMzP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1356,19 +1356,19 @@ "11984" ], "x-ms-request-id": [ - "6bdda031-f110-4bf9-810f-95e6774303e1" + "e92788a6-78ff-4b43-a956-db9d8adb755e" ], "x-ms-correlation-request-id": [ - "6bdda031-f110-4bf9-810f-95e6774303e1" + "e92788a6-78ff-4b43-a956-db9d8adb755e" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172934Z:6bdda031-f110-4bf9-810f-95e6774303e1" + "WESTUS:20210427T185607Z:e92788a6-78ff-4b43-a956-db9d8adb755e" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:29:34 GMT" + "Tue, 27 Apr 2021 18:56:06 GMT" ], "Content-Length": [ "22" @@ -1381,22 +1381,22 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/adcb35e1-e104-41c2-b76d-70a8b03e6463?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlQXNzaWdubWVudHMvYWRjYjM1ZTEtZTEwNC00MWMyLWI3NmQtNzBhOGIwM2U2NDYzP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/d5fcc566-a91c-4fce-8f54-138855981e63?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlQXNzaWdubWVudHMvZDVmY2M1NjYtYTkxYy00ZmNlLThmNTQtMTM4ODU1OTgxZTYzP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "DELETE", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "1cb73cb0-a46a-45a7-962e-ef38ba10c4d2" + "0443f261-37af-48ca-9dea-548bc2bdc0c2" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1407,13 +1407,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/adcb35e1-e104-41c2-b76d-70a8b03e6463/operationResults/80576f80-3194-41ed-bf73-7f1746768d1c?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/d5fcc566-a91c-4fce-8f54-138855981e63/operationResults/13733377-9f5a-4b34-9aa8-6c1b2ca982e7?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/80576f80-3194-41ed-bf73-7f1746768d1c?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/13733377-9f5a-4b34-9aa8-6c1b2ca982e7?api-version=2021-04-15" ], "x-ms-request-id": [ - "80576f80-3194-41ed-bf73-7f1746768d1c" + "13733377-9f5a-4b34-9aa8-6c1b2ca982e7" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -1428,16 +1428,16 @@ "14998" ], "x-ms-correlation-request-id": [ - "44ee9821-334c-4007-936a-a12a3b3bae3f" + "c8155233-90fb-40dd-8f5a-335588511fee" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172935Z:44ee9821-334c-4007-936a-a12a3b3bae3f" + "WESTUS:20210427T185608Z:c8155233-90fb-40dd-8f5a-335588511fee" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:29:34 GMT" + "Tue, 27 Apr 2021 18:56:07 GMT" ], "Content-Length": [ "21" @@ -1450,16 +1450,16 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/80576f80-3194-41ed-bf73-7f1746768d1c?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzgwNTc2ZjgwLTMxOTQtNDFlZC1iZjczLTdmMTc0Njc2OGQxYz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/13733377-9f5a-4b34-9aa8-6c1b2ca982e7?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzEzNzMzMzc3LTlmNWEtNGIzNC05YWE4LTZjMWIyY2E5ODJlNz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1482,19 +1482,19 @@ "11983" ], "x-ms-request-id": [ - "d13fe7af-7714-44fe-8b2b-f10afe466e43" + "4cebf5d1-e7f2-417a-92ce-a14103a2a065" ], "x-ms-correlation-request-id": [ - "d13fe7af-7714-44fe-8b2b-f10afe466e43" + "4cebf5d1-e7f2-417a-92ce-a14103a2a065" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173005Z:d13fe7af-7714-44fe-8b2b-f10afe466e43" + "WESTUS:20210427T185638Z:4cebf5d1-e7f2-417a-92ce-a14103a2a065" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:30:04 GMT" + "Tue, 27 Apr 2021 18:56:37 GMT" ], "Content-Length": [ "22" @@ -1507,16 +1507,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/adcb35e1-e104-41c2-b76d-70a8b03e6463/operationResults/80576f80-3194-41ed-bf73-7f1746768d1c?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlQXNzaWdubWVudHMvYWRjYjM1ZTEtZTEwNC00MWMyLWI3NmQtNzBhOGIwM2U2NDYzL29wZXJhdGlvblJlc3VsdHMvODA1NzZmODAtMzE5NC00MWVkLWJmNzMtN2YxNzQ2NzY4ZDFjP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleAssignments/d5fcc566-a91c-4fce-8f54-138855981e63/operationResults/13733377-9f5a-4b34-9aa8-6c1b2ca982e7?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlQXNzaWdubWVudHMvZDVmY2M1NjYtYTkxYy00ZmNlLThmNTQtMTM4ODU1OTgxZTYzL29wZXJhdGlvblJlc3VsdHMvMTM3MzMzNzctOWY1YS00YjM0LTlhYTgtNmMxYjJjYTk4MmU3P2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1539,19 +1539,19 @@ "11982" ], "x-ms-request-id": [ - "c24cfca9-51d9-4242-b05c-e0959e51a6d1" + "5a402b41-4549-40c6-bc4d-da13f43b9a93" ], "x-ms-correlation-request-id": [ - "c24cfca9-51d9-4242-b05c-e0959e51a6d1" + "5a402b41-4549-40c6-bc4d-da13f43b9a93" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173005Z:c24cfca9-51d9-4242-b05c-e0959e51a6d1" + "WESTUS:20210427T185638Z:5a402b41-4549-40c6-bc4d-da13f43b9a93" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:30:04 GMT" + "Tue, 27 Apr 2021 18:56:37 GMT" ], "Content-Length": [ "22" @@ -1564,22 +1564,22 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/fbf74201-f33f-46f0-8234-2b8bf15ecec4?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlRGVmaW5pdGlvbnMvZmJmNzQyMDEtZjMzZi00NmYwLTgyMzQtMmI4YmYxNWVjZWM0P2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/fbf74201-f33f-46f0-8234-2b8bf15ecec4?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlRGVmaW5pdGlvbnMvZmJmNzQyMDEtZjMzZi00NmYwLTgyMzQtMmI4YmYxNWVjZWM0P2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "DELETE", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "ab99828d-5bc2-4ff2-844b-9c46bc01ae9f" + "491140e9-c298-49ad-89e2-190341c1d739" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1590,13 +1590,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/fbf74201-f33f-46f0-8234-2b8bf15ecec4/operationResults/56f2d43b-aefb-40df-b12a-2e1f035b2246?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/fbf74201-f33f-46f0-8234-2b8bf15ecec4/operationResults/8bb92ed1-5f38-4553-81e4-e3b3bee46e2d?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/56f2d43b-aefb-40df-b12a-2e1f035b2246?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/8bb92ed1-5f38-4553-81e4-e3b3bee46e2d?api-version=2021-04-15" ], "x-ms-request-id": [ - "56f2d43b-aefb-40df-b12a-2e1f035b2246" + "8bb92ed1-5f38-4553-81e4-e3b3bee46e2d" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -1611,16 +1611,16 @@ "14997" ], "x-ms-correlation-request-id": [ - "0225a87f-78c3-4d6d-8778-4f1910a99988" + "e5a1eec6-570e-44d8-a996-be483aa38f59" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173006Z:0225a87f-78c3-4d6d-8778-4f1910a99988" + "WESTUS:20210427T185639Z:e5a1eec6-570e-44d8-a996-be483aa38f59" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:30:05 GMT" + "Tue, 27 Apr 2021 18:56:38 GMT" ], "Content-Length": [ "21" @@ -1633,16 +1633,16 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/56f2d43b-aefb-40df-b12a-2e1f035b2246?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzU2ZjJkNDNiLWFlZmItNDBkZi1iMTJhLTJlMWYwMzViMjI0Nj9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/8bb92ed1-5f38-4553-81e4-e3b3bee46e2d?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzhiYjkyZWQxLTVmMzgtNDU1My04MWU0LWUzYjNiZWU0NmUyZD9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1665,19 +1665,19 @@ "11981" ], "x-ms-request-id": [ - "b149dab7-e713-4053-9c1f-a7e38b101399" + "b6aa36ff-5bfe-45ea-8932-66d8bbef9894" ], "x-ms-correlation-request-id": [ - "b149dab7-e713-4053-9c1f-a7e38b101399" + "b6aa36ff-5bfe-45ea-8932-66d8bbef9894" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173036Z:b149dab7-e713-4053-9c1f-a7e38b101399" + "WESTUS:20210427T185709Z:b6aa36ff-5bfe-45ea-8932-66d8bbef9894" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:30:36 GMT" + "Tue, 27 Apr 2021 18:57:09 GMT" ], "Content-Length": [ "22" @@ -1690,16 +1690,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/fbf74201-f33f-46f0-8234-2b8bf15ecec4/operationResults/56f2d43b-aefb-40df-b12a-2e1f035b2246?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlRGVmaW5pdGlvbnMvZmJmNzQyMDEtZjMzZi00NmYwLTgyMzQtMmI4YmYxNWVjZWM0L29wZXJhdGlvblJlc3VsdHMvNTZmMmQ0M2ItYWVmYi00MGRmLWIxMmEtMmUxZjAzNWIyMjQ2P2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/fbf74201-f33f-46f0-8234-2b8bf15ecec4/operationResults/8bb92ed1-5f38-4553-81e4-e3b3bee46e2d?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlRGVmaW5pdGlvbnMvZmJmNzQyMDEtZjMzZi00NmYwLTgyMzQtMmI4YmYxNWVjZWM0L29wZXJhdGlvblJlc3VsdHMvOGJiOTJlZDEtNWYzOC00NTUzLTgxZTQtZTNiM2JlZTQ2ZTJkP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1722,19 +1722,19 @@ "11980" ], "x-ms-request-id": [ - "684a095f-aebe-4cd9-bef6-a16200846db1" + "940cccc9-de50-4d3b-87b8-8d954f10a838" ], "x-ms-correlation-request-id": [ - "684a095f-aebe-4cd9-bef6-a16200846db1" + "940cccc9-de50-4d3b-87b8-8d954f10a838" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173036Z:684a095f-aebe-4cd9-bef6-a16200846db1" + "WESTUS:20210427T185710Z:940cccc9-de50-4d3b-87b8-8d954f10a838" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:30:36 GMT" + "Tue, 27 Apr 2021 18:57:10 GMT" ], "Content-Length": [ "22" @@ -1747,22 +1747,22 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/70580ac3-cd0b-4549-8336-2f0d55df111e?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlRGVmaW5pdGlvbnMvNzA1ODBhYzMtY2QwYi00NTQ5LTgzMzYtMmYwZDU1ZGYxMTFlP2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/70580ac3-cd0b-4549-8336-2f0d55df111e?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlRGVmaW5pdGlvbnMvNzA1ODBhYzMtY2QwYi00NTQ5LTgzMzYtMmYwZDU1ZGYxMTFlP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "DELETE", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "57e1f949-b6e1-4343-89f7-9779b63ffaea" + "13a9bb41-1537-4976-801f-3c67a50d5171" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1773,13 +1773,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/70580ac3-cd0b-4549-8336-2f0d55df111e/operationResults/f616261f-ce6c-420a-8639-f135bf1cf619?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/70580ac3-cd0b-4549-8336-2f0d55df111e/operationResults/d7f5673a-b661-4542-befe-f827a22d97bf?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/f616261f-ce6c-420a-8639-f135bf1cf619?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d7f5673a-b661-4542-befe-f827a22d97bf?api-version=2021-04-15" ], "x-ms-request-id": [ - "f616261f-ce6c-420a-8639-f135bf1cf619" + "d7f5673a-b661-4542-befe-f827a22d97bf" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -1794,16 +1794,16 @@ "14996" ], "x-ms-correlation-request-id": [ - "f53bcf7d-d8fd-445e-b264-291e18f82b53" + "030bdda0-c08b-4375-963a-0e282aa3d4e8" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173037Z:f53bcf7d-d8fd-445e-b264-291e18f82b53" + "WESTUS:20210427T185711Z:030bdda0-c08b-4375-963a-0e282aa3d4e8" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:30:37 GMT" + "Tue, 27 Apr 2021 18:57:11 GMT" ], "Content-Length": [ "21" @@ -1816,16 +1816,16 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/f616261f-ce6c-420a-8639-f135bf1cf619?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2Y2MTYyNjFmLWNlNmMtNDIwYS04NjM5LWYxMzViZjFjZjYxOT9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/d7f5673a-b661-4542-befe-f827a22d97bf?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2Q3ZjU2NzNhLWI2NjEtNDU0Mi1iZWZlLWY4MjdhMjJkOTdiZj9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1848,19 +1848,19 @@ "11979" ], "x-ms-request-id": [ - "08399ade-9561-4f8a-b4e0-905dbf4e9f8b" + "ced5e601-7f51-498a-bfbf-fdaa25c7a151" ], "x-ms-correlation-request-id": [ - "08399ade-9561-4f8a-b4e0-905dbf4e9f8b" + "ced5e601-7f51-498a-bfbf-fdaa25c7a151" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173107Z:08399ade-9561-4f8a-b4e0-905dbf4e9f8b" + "WESTUS:20210427T185741Z:ced5e601-7f51-498a-bfbf-fdaa25c7a151" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:31:06 GMT" + "Tue, 27 Apr 2021 18:57:41 GMT" ], "Content-Length": [ "22" @@ -1873,16 +1873,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/70580ac3-cd0b-4549-8336-2f0d55df111e/operationResults/f616261f-ce6c-420a-8639-f135bf1cf619?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlRGVmaW5pdGlvbnMvNzA1ODBhYzMtY2QwYi00NTQ5LTgzMzYtMmYwZDU1ZGYxMTFlL29wZXJhdGlvblJlc3VsdHMvZjYxNjI2MWYtY2U2Yy00MjBhLTg2MzktZjEzNWJmMWNmNjE5P2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/rbac/sqlRoleDefinitions/70580ac3-cd0b-4549-8336-2f0d55df111e/operationResults/d7f5673a-b661-4542-befe-f827a22d97bf?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvcmJhYy9zcWxSb2xlRGVmaW5pdGlvbnMvNzA1ODBhYzMtY2QwYi00NTQ5LTgzMzYtMmYwZDU1ZGYxMTFlL29wZXJhdGlvblJlc3VsdHMvZDdmNTY3M2EtYjY2MS00NTQyLWJlZmUtZjgyN2EyMmQ5N2JmP2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -1905,19 +1905,19 @@ "11978" ], "x-ms-request-id": [ - "250a6da0-51a2-4c84-8c63-15b6dc55047c" + "298e12b7-6436-465d-9c38-827ebe7df39a" ], "x-ms-correlation-request-id": [ - "250a6da0-51a2-4c84-8c63-15b6dc55047c" + "298e12b7-6436-465d-9c38-827ebe7df39a" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173107Z:250a6da0-51a2-4c84-8c63-15b6dc55047c" + "WESTUS:20210427T185741Z:298e12b7-6436-465d-9c38-827ebe7df39a" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:31:06 GMT" + "Tue, 27 Apr 2021 18:57:41 GMT" ], "Content-Length": [ "22" @@ -1930,22 +1930,22 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934/sqlRoleDefinitions/a5d92de7-1c34-481e-aafa-44f5cb03744c?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGI5OTM0L3NxbFJvbGVEZWZpbml0aW9ucy9hNWQ5MmRlNy0xYzM0LTQ4MWUtYWFmYS00NGY1Y2IwMzc0NGM/YXBpLXZlcnNpb249MjAyMS0wMy0wMS1wcmV2aWV3", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124/sqlRoleDefinitions/a5d92de7-1c34-481e-aafa-44f5cb03744c?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvY2xpMTI0L3NxbFJvbGVEZWZpbml0aW9ucy9hNWQ5MmRlNy0xYzM0LTQ4MWUtYWFmYS00NGY1Y2IwMzc0NGM/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", "RequestMethod": "PUT", - "RequestBody": "{\r\n \"properties\": {\r\n \"roleName\": \"roleName4\",\r\n \"type\": \"CustomRole\",\r\n \"assignableScopes\": [\r\n \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db9934\"\r\n ],\r\n \"permissions\": [\r\n {\r\n \"dataActions\": [\r\n \"invalid-action-name\",\r\n \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/items/delete\",\r\n \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/items/replace\"\r\n ]\r\n }\r\n ]\r\n }\r\n}", + "RequestBody": "{\r\n \"properties\": {\r\n \"roleName\": \"roleName4\",\r\n \"type\": \"CustomRole\",\r\n \"assignableScopes\": [\r\n \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/cli124\"\r\n ],\r\n \"permissions\": [\r\n {\r\n \"dataActions\": [\r\n \"invalid-action-name\",\r\n \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/items/delete\",\r\n \"Microsoft.DocumentDB/databaseAccounts/sqlDatabases/containers/items/replace\"\r\n ]\r\n }\r\n ]\r\n }\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "d80dee6c-fc42-49ed-b6d3-eb1ceec8d642" + "7e758ad9-5539-427f-a346-848ea82d0047" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -1974,19 +1974,19 @@ "1194" ], "x-ms-request-id": [ - "41080f18-35e8-4e82-a98a-aff0df8bdd0d" + "e089af9e-ed2b-4cc8-81ac-5c9e7ab23a92" ], "x-ms-correlation-request-id": [ - "41080f18-35e8-4e82-a98a-aff0df8bdd0d" + "e089af9e-ed2b-4cc8-81ac-5c9e7ab23a92" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T173108Z:41080f18-35e8-4e82-a98a-aff0df8bdd0d" + "WESTUS:20210427T185742Z:e089af9e-ed2b-4cc8-81ac-5c9e7ab23a92" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:31:07 GMT" + "Tue, 27 Apr 2021 18:57:41 GMT" ], "Content-Length": [ "230" @@ -1995,7 +1995,7 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"code\": \"BadRequest\",\r\n \"message\": \"The provided data action string [invalid-action-name] does not correspond to any valid SQL data action.\\r\\nActivityId: d80dee6c-fc42-49ed-b6d3-eb1ceec8d642, Microsoft.Azure.Documents.Common/2.11.0\"\r\n}", + "ResponseBody": "{\r\n \"code\": \"BadRequest\",\r\n \"message\": \"The provided data action string [invalid-action-name] does not correspond to any valid SQL data action.\\r\\nActivityId: 7e758ad9-5539-427f-a346-848ea82d0047, Microsoft.Azure.Documents.Common/2.11.0\"\r\n}", "StatusCode": 400 } ], diff --git a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/TableResourcesOperationsTests/TableCRUDTests.json b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/TableResourcesOperationsTests/TableCRUDTests.json index 55586e48d221..3f8feed5087c 100644 --- a/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/TableResourcesOperationsTests/TableCRUDTests.json +++ b/sdk/cosmosdb/Microsoft.Azure.Management.CosmosDB/tests/SessionRecords/TableResourcesOperationsTests/TableCRUDTests.json @@ -1,22 +1,22 @@ { "Entries": [ { - "RequestUri": "/providers/Microsoft.DocumentDB/databaseAccountNames/db2048?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9kYXRhYmFzZUFjY291bnROYW1lcy9kYjIwNDg/YXBpLXZlcnNpb249MjAyMS0wMy0wMS1wcmV2aWV3", + "RequestUri": "/providers/Microsoft.DocumentDB/databaseAccountNames/db2048?api-version=2021-04-15", + "EncodedRequestUri": "L3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9kYXRhYmFzZUFjY291bnROYW1lcy9kYjIwNDg/YXBpLXZlcnNpb249MjAyMS0wNC0xNQ==", "RequestMethod": "HEAD", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "2d3b01fd-840a-4227-b18a-abc3ba2a65f0" + "8b490331-fcf2-4b0d-98d6-a4a88afba420" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -30,7 +30,7 @@ "max-age=31536000; includeSubDomains" ], "x-ms-activity-id": [ - "2d3b01fd-840a-4227-b18a-abc3ba2a65f0" + "8b490331-fcf2-4b0d-98d6-a4a88afba420" ], "Server": [ "Microsoft-HTTPAPI/2.0" @@ -39,19 +39,19 @@ "11999" ], "x-ms-request-id": [ - "554b56c6-2d8f-48e8-afd9-11423611da47" + "300f5a1d-438b-4cc2-96e0-36fa70b21ace" ], "x-ms-correlation-request-id": [ - "554b56c6-2d8f-48e8-afd9-11423611da47" + "300f5a1d-438b-4cc2-96e0-36fa70b21ace" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172332Z:554b56c6-2d8f-48e8-afd9-11423611da47" + "WESTUS:20210427T173835Z:300f5a1d-438b-4cc2-96e0-36fa70b21ace" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:23:32 GMT" + "Tue, 27 Apr 2021 17:38:34 GMT" ], "Content-Length": [ "0" @@ -61,22 +61,22 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName2527?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIyMDQ4L3RhYmxlcy90YWJsZU5hbWUyNTI3P2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName2527?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIyMDQ4L3RhYmxlcy90YWJsZU5hbWUyNTI3P2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "PUT", "RequestBody": "{\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"tableName2527\"\r\n },\r\n \"options\": {}\r\n }\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "dd612bb3-bde5-4302-bbd8-c7670137c887" + "903babb9-f2c4-4b5f-8cbb-e1e3a0217c25" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -93,13 +93,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName2527/operationResults/650f93e4-ebb5-43df-8857-27c9d2e64d56?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName2527/operationResults/16010563-4a5e-4c7a-ba7f-2bc8552400e8?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/650f93e4-ebb5-43df-8857-27c9d2e64d56?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/16010563-4a5e-4c7a-ba7f-2bc8552400e8?api-version=2021-04-15" ], "x-ms-request-id": [ - "650f93e4-ebb5-43df-8857-27c9d2e64d56" + "16010563-4a5e-4c7a-ba7f-2bc8552400e8" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -114,16 +114,16 @@ "1199" ], "x-ms-correlation-request-id": [ - "872f0387-fd62-496e-a4ad-3be9c13c6c19" + "f301eef4-75e0-48c4-8906-a9f9fc1d1787" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172334Z:872f0387-fd62-496e-a4ad-3be9c13c6c19" + "WESTUS:20210427T173836Z:f301eef4-75e0-48c4-8906-a9f9fc1d1787" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:23:33 GMT" + "Tue, 27 Apr 2021 17:38:36 GMT" ], "Content-Length": [ "21" @@ -136,16 +136,16 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/650f93e4-ebb5-43df-8857-27c9d2e64d56?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzY1MGY5M2U0LWViYjUtNDNkZi04ODU3LTI3YzlkMmU2NGQ1Nj9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/16010563-4a5e-4c7a-ba7f-2bc8552400e8?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzE2MDEwNTYzLTRhNWUtNGM3YS1iYTdmLTJiYzg1NTI0MDBlOD9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -168,19 +168,19 @@ "11999" ], "x-ms-request-id": [ - "c2b01cf4-b934-4287-9265-4a3d428f6105" + "0bd24c61-ddbf-4222-ba0d-423fdf550e42" ], "x-ms-correlation-request-id": [ - "c2b01cf4-b934-4287-9265-4a3d428f6105" + "0bd24c61-ddbf-4222-ba0d-423fdf550e42" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172404Z:c2b01cf4-b934-4287-9265-4a3d428f6105" + "WESTUS:20210427T173907Z:0bd24c61-ddbf-4222-ba0d-423fdf550e42" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:24:03 GMT" + "Tue, 27 Apr 2021 17:39:06 GMT" ], "Content-Length": [ "22" @@ -193,16 +193,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName2527?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIyMDQ4L3RhYmxlcy90YWJsZU5hbWUyNTI3P2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName2527?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIyMDQ4L3RhYmxlcy90YWJsZU5hbWUyNTI3P2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -225,19 +225,19 @@ "11998" ], "x-ms-request-id": [ - "4f8f548c-8c69-4e0a-bfe2-9ace5288bbaf" + "ccdf01f4-04f6-4d3b-9b49-6513957547f7" ], "x-ms-correlation-request-id": [ - "4f8f548c-8c69-4e0a-bfe2-9ace5288bbaf" + "ccdf01f4-04f6-4d3b-9b49-6513957547f7" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172404Z:4f8f548c-8c69-4e0a-bfe2-9ace5288bbaf" + "WESTUS:20210427T173907Z:ccdf01f4-04f6-4d3b-9b49-6513957547f7" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:24:03 GMT" + "Tue, 27 Apr 2021 17:39:07 GMT" ], "Content-Length": [ "393" @@ -246,26 +246,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName2527\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/tables\",\r\n \"name\": \"tableName2527\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"tableName2527\",\r\n \"_rid\": \"QX49ANJBnwo=\",\r\n \"_etag\": \"\\\"00000000-0000-0000-1051-f51db40201d7\\\"\",\r\n \"_ts\": 1614792222\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName2527\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/tables\",\r\n \"name\": \"tableName2527\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"tableName2527\",\r\n \"_rid\": \"QX49AM2IVPM=\",\r\n \"_etag\": \"\\\"00000000-0000-0000-3b8c-2abcb40201d7\\\"\",\r\n \"_ts\": 1619545122\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName2527?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIyMDQ4L3RhYmxlcy90YWJsZU5hbWUyNTI3P2FwaS12ZXJzaW9uPTIwMjEtMDMtMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName2527?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIyMDQ4L3RhYmxlcy90YWJsZU5hbWUyNTI3P2FwaS12ZXJzaW9uPTIwMjEtMDQtMTU=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "f40ecce6-b56d-4779-9545-412f6a90dadf" + "2a1a0945-a9be-480f-b590-0eb25cb1cf79" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -288,19 +288,19 @@ "11997" ], "x-ms-request-id": [ - "a061e84c-5e14-4f8b-9b27-d43f1147be7e" + "c53d5680-4030-47ae-80d2-a7a90e244d75" ], "x-ms-correlation-request-id": [ - "a061e84c-5e14-4f8b-9b27-d43f1147be7e" + "c53d5680-4030-47ae-80d2-a7a90e244d75" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172404Z:a061e84c-5e14-4f8b-9b27-d43f1147be7e" + "WESTUS:20210427T173907Z:c53d5680-4030-47ae-80d2-a7a90e244d75" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:24:04 GMT" + "Tue, 27 Apr 2021 17:39:07 GMT" ], "Content-Length": [ "393" @@ -309,26 +309,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName2527\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/tables\",\r\n \"name\": \"tableName2527\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"tableName2527\",\r\n \"_rid\": \"QX49ANJBnwo=\",\r\n \"_etag\": \"\\\"00000000-0000-0000-1051-f51db40201d7\\\"\",\r\n \"_ts\": 1614792222\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName2527\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/tables\",\r\n \"name\": \"tableName2527\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"tableName2527\",\r\n \"_rid\": \"QX49AM2IVPM=\",\r\n \"_etag\": \"\\\"00000000-0000-0000-3b8c-2abcb40201d7\\\"\",\r\n \"_ts\": 1619545122\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName22527?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIyMDQ4L3RhYmxlcy90YWJsZU5hbWUyMjUyNz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName22527?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIyMDQ4L3RhYmxlcy90YWJsZU5hbWUyMjUyNz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "PUT", "RequestBody": "{\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"tableName22527\"\r\n },\r\n \"options\": {\r\n \"throughput\": 700\r\n }\r\n },\r\n \"location\": \"EAST US 2\",\r\n \"tags\": {\r\n \"key3\": \"value3\",\r\n \"key4\": \"value4\"\r\n }\r\n}", "RequestHeaders": { "x-ms-client-request-id": [ - "4f0d7238-15a9-43b9-9aac-17ac05ecabb5" + "ffb954be-4b84-4268-a615-047aaa60b451" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ], "Content-Type": [ "application/json; charset=utf-8" @@ -345,13 +345,13 @@ "no-cache" ], "Location": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName22527/operationResults/b7594d6d-b195-44b3-9080-fa4ed199ee53?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName22527/operationResults/412f175a-ae9e-4934-9e44-0c722497e1d4?api-version=2021-04-15" ], "Azure-AsyncOperation": [ - "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/b7594d6d-b195-44b3-9080-fa4ed199ee53?api-version=2021-03-01-preview" + "https://management.azure.com/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/412f175a-ae9e-4934-9e44-0c722497e1d4?api-version=2021-04-15" ], "x-ms-request-id": [ - "b7594d6d-b195-44b3-9080-fa4ed199ee53" + "412f175a-ae9e-4934-9e44-0c722497e1d4" ], "Strict-Transport-Security": [ "max-age=31536000; includeSubDomains" @@ -366,16 +366,16 @@ "1198" ], "x-ms-correlation-request-id": [ - "269e18b1-f224-4728-b59c-8e848eb4984e" + "b0559496-b9a4-4ba1-960f-92bc9d467b31" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172405Z:269e18b1-f224-4728-b59c-8e848eb4984e" + "WESTUS:20210427T173908Z:b0559496-b9a4-4ba1-960f-92bc9d467b31" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:24:04 GMT" + "Tue, 27 Apr 2021 17:39:08 GMT" ], "Content-Length": [ "21" @@ -388,16 +388,16 @@ "StatusCode": 202 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/b7594d6d-b195-44b3-9080-fa4ed199ee53?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzL2I3NTk0ZDZkLWIxOTUtNDRiMy05MDgwLWZhNGVkMTk5ZWU1Mz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/providers/Microsoft.DocumentDB/locations/eastus2/operationsStatus/412f175a-ae9e-4934-9e44-0c722497e1d4?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Byb3ZpZGVycy9NaWNyb3NvZnQuRG9jdW1lbnREQi9sb2NhdGlvbnMvZWFzdHVzMi9vcGVyYXRpb25zU3RhdHVzLzQxMmYxNzVhLWFlOWUtNDkzNC05ZTQ0LTBjNzIyNDk3ZTFkND9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -420,19 +420,19 @@ "11996" ], "x-ms-request-id": [ - "c6121713-cd30-4d1c-8e31-a28b14c0f9d2" + "9c5785cf-7ee5-45fe-80da-210c303f56a3" ], "x-ms-correlation-request-id": [ - "c6121713-cd30-4d1c-8e31-a28b14c0f9d2" + "9c5785cf-7ee5-45fe-80da-210c303f56a3" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172435Z:c6121713-cd30-4d1c-8e31-a28b14c0f9d2" + "WESTUS:20210427T173938Z:9c5785cf-7ee5-45fe-80da-210c303f56a3" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:24:35 GMT" + "Tue, 27 Apr 2021 17:39:38 GMT" ], "Content-Length": [ "22" @@ -445,16 +445,16 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName22527?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIyMDQ4L3RhYmxlcy90YWJsZU5hbWUyMjUyNz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName22527?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIyMDQ4L3RhYmxlcy90YWJsZU5hbWUyMjUyNz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -477,19 +477,19 @@ "11995" ], "x-ms-request-id": [ - "35516563-164d-487b-a5e4-191d73c6460d" + "791fd915-ce86-4f9b-b15d-d0fecae83ccb" ], "x-ms-correlation-request-id": [ - "35516563-164d-487b-a5e4-191d73c6460d" + "791fd915-ce86-4f9b-b15d-d0fecae83ccb" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172435Z:35516563-164d-487b-a5e4-191d73c6460d" + "WESTUS:20210427T173938Z:791fd915-ce86-4f9b-b15d-d0fecae83ccb" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:24:35 GMT" + "Tue, 27 Apr 2021 17:39:38 GMT" ], "Content-Length": [ "396" @@ -498,26 +498,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName22527\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/tables\",\r\n \"name\": \"tableName22527\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"tableName22527\",\r\n \"_rid\": \"QX49AJszyUM=\",\r\n \"_etag\": \"\\\"00000000-0000-0000-1052-08cee40201d7\\\"\",\r\n \"_ts\": 1614792255\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName22527\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/tables\",\r\n \"name\": \"tableName22527\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"tableName22527\",\r\n \"_rid\": \"QX49AOqBcfY=\",\r\n \"_etag\": \"\\\"00000000-0000-0000-3b8c-3ec8980201d7\\\"\",\r\n \"_ts\": 1619545156\r\n }\r\n }\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIyMDQ4L3RhYmxlcz9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIyMDQ4L3RhYmxlcz9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "8acdd016-5f98-40d1-ab0d-6b3a679b4f64" + "3a45bede-0def-4976-804b-668c814cb5df" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -540,19 +540,19 @@ "11994" ], "x-ms-request-id": [ - "46ccf71b-b028-4f8d-bce0-5884f21c454c" + "dcdc140d-63bb-45bb-b7b9-c2ba7766f393" ], "x-ms-correlation-request-id": [ - "46ccf71b-b028-4f8d-bce0-5884f21c454c" + "dcdc140d-63bb-45bb-b7b9-c2ba7766f393" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172436Z:46ccf71b-b028-4f8d-bce0-5884f21c454c" + "WESTUS:20210427T173938Z:dcdc140d-63bb-45bb-b7b9-c2ba7766f393" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:24:36 GMT" + "Tue, 27 Apr 2021 17:39:38 GMT" ], "Content-Length": [ "802" @@ -561,26 +561,26 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName2527\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/tables\",\r\n \"name\": \"tableName2527\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"tableName2527\",\r\n \"_rid\": \"QX49ANJBnwo=\",\r\n \"_etag\": \"\\\"00000000-0000-0000-1051-f51db40201d7\\\"\",\r\n \"_ts\": 1614792222\r\n }\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName22527\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/tables\",\r\n \"name\": \"tableName22527\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"tableName22527\",\r\n \"_rid\": \"QX49AJszyUM=\",\r\n \"_etag\": \"\\\"00000000-0000-0000-1052-08cee40201d7\\\"\",\r\n \"_ts\": 1614792255\r\n }\r\n }\r\n }\r\n ]\r\n}", + "ResponseBody": "{\r\n \"value\": [\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName2527\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/tables\",\r\n \"name\": \"tableName2527\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"tableName2527\",\r\n \"_rid\": \"QX49AM2IVPM=\",\r\n \"_etag\": \"\\\"00000000-0000-0000-3b8c-2abcb40201d7\\\"\",\r\n \"_ts\": 1619545122\r\n }\r\n }\r\n },\r\n {\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName22527\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/tables\",\r\n \"name\": \"tableName22527\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"id\": \"tableName22527\",\r\n \"_rid\": \"QX49AOqBcfY=\",\r\n \"_etag\": \"\\\"00000000-0000-0000-3b8c-3ec8980201d7\\\"\",\r\n \"_ts\": 1619545156\r\n }\r\n }\r\n }\r\n ]\r\n}", "StatusCode": 200 }, { - "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName22527/throughputSettings/default?api-version=2021-03-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIyMDQ4L3RhYmxlcy90YWJsZU5hbWUyMjUyNy90aHJvdWdocHV0U2V0dGluZ3MvZGVmYXVsdD9hcGktdmVyc2lvbj0yMDIxLTAzLTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName22527/throughputSettings/default?api-version=2021-04-15", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvODBiZTM5NjEtMDUyMS00YTBhLTg1NzAtNWNkNWE0ZTJmOThjL3Jlc291cmNlR3JvdXBzL0Nvc21vc0RCUmVzb3VyY2VHcm91cDM2NjgvcHJvdmlkZXJzL01pY3Jvc29mdC5Eb2N1bWVudERCL2RhdGFiYXNlQWNjb3VudHMvZGIyMDQ4L3RhYmxlcy90YWJsZU5hbWUyMjUyNy90aHJvdWdocHV0U2V0dGluZ3MvZGVmYXVsdD9hcGktdmVyc2lvbj0yMDIxLTA0LTE1", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { "x-ms-client-request-id": [ - "83160750-b6c9-4ed1-a545-2cd331795a75" + "028ea130-60b8-41a2-9b03-24c81bb0c7ff" ], "Accept-Language": [ "en-US" ], "User-Agent": [ - "FxVersion/5.0.321.7212", + "FxVersion/4.6.29916.01", "OSName/Windows", - "OSVersion/Microsoft.Windows.10.0.19042", - "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/2.0.0.0" + "OSVersion/Microsoft.Windows.10.0.19042.", + "Microsoft.Azure.Management.CosmosDB.CosmosDBManagementClient/3.0.0.0" ] }, "ResponseHeaders": { @@ -603,19 +603,19 @@ "11993" ], "x-ms-request-id": [ - "b1b7813d-36f1-4474-bbf2-e3caad98b07a" + "bdf823d6-25b5-4b29-baaa-cd85e4647eae" ], "x-ms-correlation-request-id": [ - "b1b7813d-36f1-4474-bbf2-e3caad98b07a" + "bdf823d6-25b5-4b29-baaa-cd85e4647eae" ], "x-ms-routing-request-id": [ - "WESTUS2:20210303T172436Z:b1b7813d-36f1-4474-bbf2-e3caad98b07a" + "WESTUS:20210427T173939Z:bdf823d6-25b5-4b29-baaa-cd85e4647eae" ], "X-Content-Type-Options": [ "nosniff" ], "Date": [ - "Wed, 03 Mar 2021 17:24:36 GMT" + "Tue, 27 Apr 2021 17:39:38 GMT" ], "Content-Length": [ "363" @@ -624,7 +624,7 @@ "application/json" ] }, - "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName22527/throughputSettings/default\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/tables/throughputSettings\",\r\n \"name\": \"BeH6\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"throughput\": 700,\r\n \"minimumThroughput\": \"400\"\r\n }\r\n }\r\n}", + "ResponseBody": "{\r\n \"id\": \"/subscriptions/80be3961-0521-4a0a-8570-5cd5a4e2f98c/resourceGroups/CosmosDBResourceGroup3668/providers/Microsoft.DocumentDB/databaseAccounts/db2048/tables/tableName22527/throughputSettings/default\",\r\n \"type\": \"Microsoft.DocumentDB/databaseAccounts/tables/throughputSettings\",\r\n \"name\": \"CXCZ\",\r\n \"properties\": {\r\n \"resource\": {\r\n \"throughput\": 700,\r\n \"minimumThroughput\": \"400\"\r\n }\r\n }\r\n}", "StatusCode": 200 } ], From 2cf9fbcedc8578db5fe72cff159b2f11d32f2a63 Mon Sep 17 00:00:00 2001 From: Kalpesh Chavan <18593210+KalpeshChavan12@users.noreply.github.com> Date: Mon, 3 May 2021 23:41:18 +0530 Subject: [PATCH 15/37] Regenerate Microsoft.Maintenance from API version 2021-05-01. (#20732) Co-authored-by: Kalpesh Chavan --- .../maintenance_resource-manager.txt | 7 +- .../AzSdk.RP.props | 2 +- .../ApplyUpdateForResourceGroupOperations.cs | 236 ++++++++++++++++++ ...ateForResourceGroupOperationsExtensions.cs | 61 +++++ .../src/Generated/ApplyUpdatesOperations.cs | 217 +++++++++++++--- .../ApplyUpdatesOperationsExtensions.cs | 30 +++ .../ConfigurationAssignmentsOperations.cs | 70 ++---- .../IApplyUpdateForResourceGroupOperations.cs | 49 ++++ .../src/Generated/IApplyUpdatesOperations.cs | 27 +- .../IConfigurationAssignmentsOperations.cs | 12 +- ...onfigurationsForResourceGroupOperations.cs | 49 ++++ .../IMaintenanceConfigurationsOperations.cs | 8 +- .../Generated/IMaintenanceManagementClient.cs | 12 +- ...blicMaintenanceConfigurationsOperations.cs | 2 +- .../src/Generated/IUpdatesOperations.cs | 4 +- ...onfigurationsForResourceGroupOperations.cs | 236 ++++++++++++++++++ ...onsForResourceGroupOperationsExtensions.cs | 61 +++++ .../MaintenanceConfigurationsOperations.cs | 10 +- ...nanceConfigurationsOperationsExtensions.cs | 16 +- .../Generated/MaintenanceManagementClient.cs | 16 +- .../src/Generated/Models/ApplyUpdate.cs | 6 +- .../Models/ConfigurationAssignment.cs | 6 +- .../src/Generated/Models/CreatedByType.cs | 24 ++ .../src/Generated/Models/ImpactType.cs | 13 + .../Models/MaintenanceConfiguration.cs | 22 +- .../src/Generated/Models/MaintenanceScope.cs | 25 +- .../src/Generated/Models/Operation.cs | 11 +- .../src/Generated/Models/Resource.cs | 12 +- .../src/Generated/Models/SystemData.cs | 103 ++++++++ .../src/Generated/Models/Update.cs | 10 +- .../src/Generated/Models/UpdateStatus.cs | 15 ++ .../src/Generated/Models/Visibility.cs | 6 + ...blicMaintenanceConfigurationsOperations.cs | 2 +- ...nanceConfigurationsOperationsExtensions.cs | 4 +- .../SdkInfo_MaintenanceManagementClient.cs | 25 +- .../src/Generated/UpdatesOperations.cs | 22 +- ...rosoft.Azure.Management.Maintenance.csproj | 4 +- .../src/Properties/AssemblyInfo.cs | 4 +- .../src/generate.ps1 | 3 +- .../tests/Properties/AssemblyInfo.cs | 4 +- .../MaintenanceConfigurationCreateTest.json | 4 +- .../MaintenanceConfigurationGetTest.json | 8 +- .../MaintenanceConfigurationListTest.json | 12 +- ...PublicMaintenanceConfigurationGetTest.json | 8 +- ...ublicMaintenanceConfigurationListTest.json | 12 +- 45 files changed, 1292 insertions(+), 198 deletions(-) create mode 100644 sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/ApplyUpdateForResourceGroupOperations.cs create mode 100644 sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/ApplyUpdateForResourceGroupOperationsExtensions.cs create mode 100644 sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IApplyUpdateForResourceGroupOperations.cs create mode 100644 sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IMaintenanceConfigurationsForResourceGroupOperations.cs create mode 100644 sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/MaintenanceConfigurationsForResourceGroupOperations.cs create mode 100644 sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/MaintenanceConfigurationsForResourceGroupOperationsExtensions.cs create mode 100644 sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/CreatedByType.cs create mode 100644 sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/SystemData.cs diff --git a/eng/mgmt/mgmtmetadata/maintenance_resource-manager.txt b/eng/mgmt/mgmtmetadata/maintenance_resource-manager.txt index 46e746e15cf7..964229ecae15 100644 --- a/eng/mgmt/mgmtmetadata/maintenance_resource-manager.txt +++ b/eng/mgmt/mgmtmetadata/maintenance_resource-manager.txt @@ -3,12 +3,13 @@ AutoRest installed successfully. Commencing code generation Generating CSharp code Executing AutoRest command -cmd.exe /c autorest.cmd https://github.com/Azure/azure-rest-api-specs/blob/master/specification/maintenance/resource-manager/readme.md --csharp --version=v2 --reflect-api-versions --csharp-sdks-folder=D:\NetSDK\azure-sdk-for-net\sdk -2020-07-31 04:41:40 UTC +cmd.exe /c autorest.cmd https://github.com/Azure/azure-rest-api-specs/blob/master/specification/maintenance/resource-manager/readme.md --csharp --version=v2 --reflect-api-versions --override-client-name=MaintenanceManagementClient --title=MaintenanceManagementClient --csharp.output-folder='$(csharp-sdks-folder)/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/' --csharp-sdks-folder=E:\Github\ARM\azure-sdk-for-net\sdk +Autorest CSharp Version: 2.3.82 +2021-04-30 12:38:05 UTC Azure-rest-api-specs repository information GitHub fork: Azure Branch: master -Commit: 3d12d70d765934c2f59d1d1d3eb4485719c04361 +Commit: c2ea3a3ccd14293b4bd1d17e684ef9129f0dc604 AutoRest information Requested version: v2 Bootstrapper version: autorest@2.0.4413 diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/AzSdk.RP.props b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/AzSdk.RP.props index 04fc32a0bb40..ef7f7fecfbe7 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/AzSdk.RP.props +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/AzSdk.RP.props @@ -1,7 +1,7 @@  - Maintenance_2020-07-01-preview; + Maintenance_2021-05-01; $(PackageTags);$(CommonTags);$(AzureApiTag); \ No newline at end of file diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/ApplyUpdateForResourceGroupOperations.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/ApplyUpdateForResourceGroupOperations.cs new file mode 100644 index 000000000000..bca727534c0c --- /dev/null +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/ApplyUpdateForResourceGroupOperations.cs @@ -0,0 +1,236 @@ +// +// 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. +// + +namespace Microsoft.Azure.Management.Maintenance +{ + using Microsoft.Rest; + using Microsoft.Rest.Azure; + using Models; + using Newtonsoft.Json; + using System.Collections; + using System.Collections.Generic; + using System.Linq; + using System.Net; + using System.Net.Http; + using System.Threading; + using System.Threading.Tasks; + + /// + /// ApplyUpdateForResourceGroupOperations operations. + /// + internal partial class ApplyUpdateForResourceGroupOperations : IServiceOperations, IApplyUpdateForResourceGroupOperations + { + /// + /// Initializes a new instance of the ApplyUpdateForResourceGroupOperations class. + /// + /// + /// Reference to the service client. + /// + /// + /// Thrown when a required parameter is null + /// + internal ApplyUpdateForResourceGroupOperations(MaintenanceManagementClient client) + { + if (client == null) + { + throw new System.ArgumentNullException("client"); + } + Client = client; + } + + /// + /// Gets a reference to the MaintenanceManagementClient + /// + public MaintenanceManagementClient Client { get; private set; } + + /// + /// Get Configuration records within a subscription and resource group + /// + /// + /// Resource Group Name + /// + /// + /// Headers that will be added to request. + /// + /// + /// The cancellation token. + /// + /// + /// Thrown when the operation returned an invalid status code + /// + /// + /// Thrown when unable to deserialize the response + /// + /// + /// Thrown when a required parameter is null + /// + /// + /// Thrown when a required parameter is null + /// + /// + /// A response object containing the response body and response headers. + /// + public async Task>> ListWithHttpMessagesAsync(string resourceGroupName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) + { + if (Client.SubscriptionId == null) + { + throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); + } + if (resourceGroupName == null) + { + throw new ValidationException(ValidationRules.CannotBeNull, "resourceGroupName"); + } + if (Client.ApiVersion == null) + { + throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); + } + // Tracing + bool _shouldTrace = ServiceClientTracing.IsEnabled; + string _invocationId = null; + if (_shouldTrace) + { + _invocationId = ServiceClientTracing.NextInvocationId.ToString(); + Dictionary tracingParameters = new Dictionary(); + tracingParameters.Add("resourceGroupName", resourceGroupName); + tracingParameters.Add("cancellationToken", cancellationToken); + ServiceClientTracing.Enter(_invocationId, this, "List", tracingParameters); + } + // Construct URL + var _baseUrl = Client.BaseUri.AbsoluteUri; + var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maintenance/applyUpdates").ToString(); + _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); + _url = _url.Replace("{resourceGroupName}", System.Uri.EscapeDataString(resourceGroupName)); + List _queryParameters = new List(); + if (Client.ApiVersion != null) + { + _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); + } + if (_queryParameters.Count > 0) + { + _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); + } + // Create HTTP transport objects + var _httpRequest = new HttpRequestMessage(); + HttpResponseMessage _httpResponse = null; + _httpRequest.Method = new HttpMethod("GET"); + _httpRequest.RequestUri = new System.Uri(_url); + // Set Headers + if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) + { + _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); + } + if (Client.AcceptLanguage != null) + { + if (_httpRequest.Headers.Contains("accept-language")) + { + _httpRequest.Headers.Remove("accept-language"); + } + _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); + } + + + if (customHeaders != null) + { + foreach(var _header in customHeaders) + { + if (_httpRequest.Headers.Contains(_header.Key)) + { + _httpRequest.Headers.Remove(_header.Key); + } + _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); + } + } + + // Serialize Request + string _requestContent = null; + // Set Credentials + if (Client.Credentials != null) + { + cancellationToken.ThrowIfCancellationRequested(); + await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); + } + // Send Request + if (_shouldTrace) + { + ServiceClientTracing.SendRequest(_invocationId, _httpRequest); + } + cancellationToken.ThrowIfCancellationRequested(); + _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); + if (_shouldTrace) + { + ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); + } + HttpStatusCode _statusCode = _httpResponse.StatusCode; + cancellationToken.ThrowIfCancellationRequested(); + string _responseContent = null; + if ((int)_statusCode != 200) + { + var ex = new MaintenanceErrorException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); + try + { + _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); + MaintenanceError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); + if (_errorBody != null) + { + ex.Body = _errorBody; + } + } + catch (JsonException) + { + // Ignore the exception + } + ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); + ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); + if (_shouldTrace) + { + ServiceClientTracing.Error(_invocationId, ex); + } + _httpRequest.Dispose(); + if (_httpResponse != null) + { + _httpResponse.Dispose(); + } + throw ex; + } + // Create Result + var _result = new AzureOperationResponse>(); + _result.Request = _httpRequest; + _result.Response = _httpResponse; + if (_httpResponse.Headers.Contains("x-ms-request-id")) + { + _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); + } + // Deserialize Response + if ((int)_statusCode == 200) + { + _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); + try + { + _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject>(_responseContent, Client.DeserializationSettings); + } + catch (JsonException ex) + { + _httpRequest.Dispose(); + if (_httpResponse != null) + { + _httpResponse.Dispose(); + } + throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); + } + } + if (_shouldTrace) + { + ServiceClientTracing.Exit(_invocationId, _result); + } + return _result; + } + + } +} diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/ApplyUpdateForResourceGroupOperationsExtensions.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/ApplyUpdateForResourceGroupOperationsExtensions.cs new file mode 100644 index 000000000000..456134063e85 --- /dev/null +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/ApplyUpdateForResourceGroupOperationsExtensions.cs @@ -0,0 +1,61 @@ +// +// 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. +// + +namespace Microsoft.Azure.Management.Maintenance +{ + using Microsoft.Rest; + using Microsoft.Rest.Azure; + using Models; + using System.Collections; + using System.Collections.Generic; + using System.Threading; + using System.Threading.Tasks; + + /// + /// Extension methods for ApplyUpdateForResourceGroupOperations. + /// + public static partial class ApplyUpdateForResourceGroupOperationsExtensions + { + /// + /// Get Configuration records within a subscription and resource group + /// + /// + /// The operations group for this extension method. + /// + /// + /// Resource Group Name + /// + public static IEnumerable List(this IApplyUpdateForResourceGroupOperations operations, string resourceGroupName) + { + return operations.ListAsync(resourceGroupName).GetAwaiter().GetResult(); + } + + /// + /// Get Configuration records within a subscription and resource group + /// + /// + /// The operations group for this extension method. + /// + /// + /// Resource Group Name + /// + /// + /// The cancellation token. + /// + public static async Task> ListAsync(this IApplyUpdateForResourceGroupOperations operations, string resourceGroupName, CancellationToken cancellationToken = default(CancellationToken)) + { + using (var _result = await operations.ListWithHttpMessagesAsync(resourceGroupName, null, cancellationToken).ConfigureAwait(false)) + { + return _result.Body; + } + } + + } +} diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/ApplyUpdatesOperations.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/ApplyUpdatesOperations.cs index d62cd9a88403..a4f8336af07c 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/ApplyUpdatesOperations.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/ApplyUpdatesOperations.cs @@ -83,7 +83,7 @@ internal ApplyUpdatesOperations(MaintenanceManagementClient client) /// /// The cancellation token. /// - /// + /// /// Thrown when the operation returned an invalid status code /// /// @@ -229,14 +229,13 @@ internal ApplyUpdatesOperations(MaintenanceManagementClient client) string _responseContent = null; if ((int)_statusCode != 200) { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); + var ex = new MaintenanceErrorException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); try { _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); + MaintenanceError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); if (_errorBody != null) { - ex = new CloudException(_errorBody.Message); ex.Body = _errorBody; } } @@ -246,10 +245,6 @@ internal ApplyUpdatesOperations(MaintenanceManagementClient client) } ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } if (_shouldTrace) { ServiceClientTracing.Error(_invocationId, ex); @@ -321,7 +316,7 @@ internal ApplyUpdatesOperations(MaintenanceManagementClient client) /// /// The cancellation token. /// - /// + /// /// Thrown when the operation returned an invalid status code /// /// @@ -455,14 +450,13 @@ internal ApplyUpdatesOperations(MaintenanceManagementClient client) string _responseContent = null; if ((int)_statusCode != 200) { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); + var ex = new MaintenanceErrorException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); try { _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); + MaintenanceError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); if (_errorBody != null) { - ex = new CloudException(_errorBody.Message); ex.Body = _errorBody; } } @@ -472,10 +466,6 @@ internal ApplyUpdatesOperations(MaintenanceManagementClient client) } ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } if (_shouldTrace) { ServiceClientTracing.Error(_invocationId, ex); @@ -550,7 +540,7 @@ internal ApplyUpdatesOperations(MaintenanceManagementClient client) /// /// The cancellation token. /// - /// + /// /// Thrown when the operation returned an invalid status code /// /// @@ -690,14 +680,13 @@ internal ApplyUpdatesOperations(MaintenanceManagementClient client) string _responseContent = null; if ((int)_statusCode != 200) { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); + var ex = new MaintenanceErrorException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); try { _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); + MaintenanceError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); if (_errorBody != null) { - ex = new CloudException(_errorBody.Message); ex.Body = _errorBody; } } @@ -707,10 +696,6 @@ internal ApplyUpdatesOperations(MaintenanceManagementClient client) } ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } if (_shouldTrace) { ServiceClientTracing.Error(_invocationId, ex); @@ -779,7 +764,7 @@ internal ApplyUpdatesOperations(MaintenanceManagementClient client) /// /// The cancellation token. /// - /// + /// /// Thrown when the operation returned an invalid status code /// /// @@ -907,14 +892,13 @@ internal ApplyUpdatesOperations(MaintenanceManagementClient client) string _responseContent = null; if ((int)_statusCode != 200) { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); + var ex = new MaintenanceErrorException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); try { _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); + MaintenanceError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); if (_errorBody != null) { - ex = new CloudException(_errorBody.Message); ex.Body = _errorBody; } } @@ -924,10 +908,6 @@ internal ApplyUpdatesOperations(MaintenanceManagementClient client) } ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } if (_shouldTrace) { ServiceClientTracing.Error(_invocationId, ex); @@ -972,5 +952,178 @@ internal ApplyUpdatesOperations(MaintenanceManagementClient client) return _result; } + /// + /// Get Configuration records within a subscription + /// + /// + /// Headers that will be added to request. + /// + /// + /// The cancellation token. + /// + /// + /// Thrown when the operation returned an invalid status code + /// + /// + /// Thrown when unable to deserialize the response + /// + /// + /// Thrown when a required parameter is null + /// + /// + /// Thrown when a required parameter is null + /// + /// + /// A response object containing the response body and response headers. + /// + public async Task>> ListWithHttpMessagesAsync(Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) + { + if (Client.SubscriptionId == null) + { + throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); + } + if (Client.ApiVersion == null) + { + throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); + } + // Tracing + bool _shouldTrace = ServiceClientTracing.IsEnabled; + string _invocationId = null; + if (_shouldTrace) + { + _invocationId = ServiceClientTracing.NextInvocationId.ToString(); + Dictionary tracingParameters = new Dictionary(); + tracingParameters.Add("cancellationToken", cancellationToken); + ServiceClientTracing.Enter(_invocationId, this, "List", tracingParameters); + } + // Construct URL + var _baseUrl = Client.BaseUri.AbsoluteUri; + var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/providers/Microsoft.Maintenance/applyUpdates").ToString(); + _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); + List _queryParameters = new List(); + if (Client.ApiVersion != null) + { + _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); + } + if (_queryParameters.Count > 0) + { + _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); + } + // Create HTTP transport objects + var _httpRequest = new HttpRequestMessage(); + HttpResponseMessage _httpResponse = null; + _httpRequest.Method = new HttpMethod("GET"); + _httpRequest.RequestUri = new System.Uri(_url); + // Set Headers + if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) + { + _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); + } + if (Client.AcceptLanguage != null) + { + if (_httpRequest.Headers.Contains("accept-language")) + { + _httpRequest.Headers.Remove("accept-language"); + } + _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); + } + + + if (customHeaders != null) + { + foreach(var _header in customHeaders) + { + if (_httpRequest.Headers.Contains(_header.Key)) + { + _httpRequest.Headers.Remove(_header.Key); + } + _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); + } + } + + // Serialize Request + string _requestContent = null; + // Set Credentials + if (Client.Credentials != null) + { + cancellationToken.ThrowIfCancellationRequested(); + await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); + } + // Send Request + if (_shouldTrace) + { + ServiceClientTracing.SendRequest(_invocationId, _httpRequest); + } + cancellationToken.ThrowIfCancellationRequested(); + _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); + if (_shouldTrace) + { + ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); + } + HttpStatusCode _statusCode = _httpResponse.StatusCode; + cancellationToken.ThrowIfCancellationRequested(); + string _responseContent = null; + if ((int)_statusCode != 200) + { + var ex = new MaintenanceErrorException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); + try + { + _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); + MaintenanceError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); + if (_errorBody != null) + { + ex.Body = _errorBody; + } + } + catch (JsonException) + { + // Ignore the exception + } + ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); + ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); + if (_shouldTrace) + { + ServiceClientTracing.Error(_invocationId, ex); + } + _httpRequest.Dispose(); + if (_httpResponse != null) + { + _httpResponse.Dispose(); + } + throw ex; + } + // Create Result + var _result = new AzureOperationResponse>(); + _result.Request = _httpRequest; + _result.Response = _httpResponse; + if (_httpResponse.Headers.Contains("x-ms-request-id")) + { + _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); + } + // Deserialize Response + if ((int)_statusCode == 200) + { + _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); + try + { + _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject>(_responseContent, Client.DeserializationSettings); + } + catch (JsonException ex) + { + _httpRequest.Dispose(); + if (_httpResponse != null) + { + _httpResponse.Dispose(); + } + throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); + } + } + if (_shouldTrace) + { + ServiceClientTracing.Exit(_invocationId, _result); + } + return _result; + } + } } diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/ApplyUpdatesOperationsExtensions.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/ApplyUpdatesOperationsExtensions.cs index bc2f6014a645..de4592211e6f 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/ApplyUpdatesOperationsExtensions.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/ApplyUpdatesOperationsExtensions.cs @@ -13,6 +13,8 @@ namespace Microsoft.Azure.Management.Maintenance using Microsoft.Rest; using Microsoft.Rest.Azure; using Models; + using System.Collections; + using System.Collections.Generic; using System.Threading; using System.Threading.Tasks; @@ -289,5 +291,33 @@ public static ApplyUpdate CreateOrUpdate(this IApplyUpdatesOperations operations } } + /// + /// Get Configuration records within a subscription + /// + /// + /// The operations group for this extension method. + /// + public static IEnumerable List(this IApplyUpdatesOperations operations) + { + return operations.ListAsync().GetAwaiter().GetResult(); + } + + /// + /// Get Configuration records within a subscription + /// + /// + /// The operations group for this extension method. + /// + /// + /// The cancellation token. + /// + public static async Task> ListAsync(this IApplyUpdatesOperations operations, CancellationToken cancellationToken = default(CancellationToken)) + { + using (var _result = await operations.ListWithHttpMessagesAsync(null, cancellationToken).ConfigureAwait(false)) + { + return _result.Body; + } + } + } } diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/ConfigurationAssignmentsOperations.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/ConfigurationAssignmentsOperations.cs index 15badb97b3b4..fa213c5cf4a1 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/ConfigurationAssignmentsOperations.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/ConfigurationAssignmentsOperations.cs @@ -86,7 +86,7 @@ internal ConfigurationAssignmentsOperations(MaintenanceManagementClient client) /// /// The cancellation token. /// - /// + /// /// Thrown when the operation returned an invalid status code /// /// @@ -243,14 +243,13 @@ internal ConfigurationAssignmentsOperations(MaintenanceManagementClient client) string _responseContent = null; if ((int)_statusCode != 200) { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); + var ex = new MaintenanceErrorException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); try { _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); + MaintenanceError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); if (_errorBody != null) { - ex = new CloudException(_errorBody.Message); ex.Body = _errorBody; } } @@ -260,10 +259,6 @@ internal ConfigurationAssignmentsOperations(MaintenanceManagementClient client) } ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } if (_shouldTrace) { ServiceClientTracing.Error(_invocationId, ex); @@ -341,7 +336,7 @@ internal ConfigurationAssignmentsOperations(MaintenanceManagementClient client) /// /// The cancellation token. /// - /// + /// /// Thrown when the operation returned an invalid status code /// /// @@ -485,16 +480,15 @@ internal ConfigurationAssignmentsOperations(MaintenanceManagementClient client) HttpStatusCode _statusCode = _httpResponse.StatusCode; cancellationToken.ThrowIfCancellationRequested(); string _responseContent = null; - if ((int)_statusCode != 200) + if ((int)_statusCode != 200 && (int)_statusCode != 204) { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); + var ex = new MaintenanceErrorException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); try { _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); + MaintenanceError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); if (_errorBody != null) { - ex = new CloudException(_errorBody.Message); ex.Body = _errorBody; } } @@ -504,10 +498,6 @@ internal ConfigurationAssignmentsOperations(MaintenanceManagementClient client) } ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } if (_shouldTrace) { ServiceClientTracing.Error(_invocationId, ex); @@ -582,7 +572,7 @@ internal ConfigurationAssignmentsOperations(MaintenanceManagementClient client) /// /// The cancellation token. /// - /// + /// /// Thrown when the operation returned an invalid status code /// /// @@ -727,14 +717,13 @@ internal ConfigurationAssignmentsOperations(MaintenanceManagementClient client) string _responseContent = null; if ((int)_statusCode != 200) { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); + var ex = new MaintenanceErrorException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); try { _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); + MaintenanceError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); if (_errorBody != null) { - ex = new CloudException(_errorBody.Message); ex.Body = _errorBody; } } @@ -744,10 +733,6 @@ internal ConfigurationAssignmentsOperations(MaintenanceManagementClient client) } ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } if (_shouldTrace) { ServiceClientTracing.Error(_invocationId, ex); @@ -819,7 +804,7 @@ internal ConfigurationAssignmentsOperations(MaintenanceManagementClient client) /// /// The cancellation token. /// - /// + /// /// Thrown when the operation returned an invalid status code /// /// @@ -951,16 +936,15 @@ internal ConfigurationAssignmentsOperations(MaintenanceManagementClient client) HttpStatusCode _statusCode = _httpResponse.StatusCode; cancellationToken.ThrowIfCancellationRequested(); string _responseContent = null; - if ((int)_statusCode != 200) + if ((int)_statusCode != 200 && (int)_statusCode != 204) { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); + var ex = new MaintenanceErrorException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); try { _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); + MaintenanceError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); if (_errorBody != null) { - ex = new CloudException(_errorBody.Message); ex.Body = _errorBody; } } @@ -970,10 +954,6 @@ internal ConfigurationAssignmentsOperations(MaintenanceManagementClient client) } ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } if (_shouldTrace) { ServiceClientTracing.Error(_invocationId, ex); @@ -1048,7 +1028,7 @@ internal ConfigurationAssignmentsOperations(MaintenanceManagementClient client) /// /// The cancellation token. /// - /// + /// /// Thrown when the operation returned an invalid status code /// /// @@ -1188,14 +1168,13 @@ internal ConfigurationAssignmentsOperations(MaintenanceManagementClient client) string _responseContent = null; if ((int)_statusCode != 200) { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); + var ex = new MaintenanceErrorException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); try { _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); + MaintenanceError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); if (_errorBody != null) { - ex = new CloudException(_errorBody.Message); ex.Body = _errorBody; } } @@ -1205,10 +1184,6 @@ internal ConfigurationAssignmentsOperations(MaintenanceManagementClient client) } ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } if (_shouldTrace) { ServiceClientTracing.Error(_invocationId, ex); @@ -1277,7 +1252,7 @@ internal ConfigurationAssignmentsOperations(MaintenanceManagementClient client) /// /// The cancellation token. /// - /// + /// /// Thrown when the operation returned an invalid status code /// /// @@ -1405,14 +1380,13 @@ internal ConfigurationAssignmentsOperations(MaintenanceManagementClient client) string _responseContent = null; if ((int)_statusCode != 200) { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); + var ex = new MaintenanceErrorException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); try { _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); + MaintenanceError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); if (_errorBody != null) { - ex = new CloudException(_errorBody.Message); ex.Body = _errorBody; } } @@ -1422,10 +1396,6 @@ internal ConfigurationAssignmentsOperations(MaintenanceManagementClient client) } ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } if (_shouldTrace) { ServiceClientTracing.Error(_invocationId, ex); diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IApplyUpdateForResourceGroupOperations.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IApplyUpdateForResourceGroupOperations.cs new file mode 100644 index 000000000000..df4b47771082 --- /dev/null +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IApplyUpdateForResourceGroupOperations.cs @@ -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 Microsoft (R) AutoRest Code Generator. +// Changes may cause incorrect behavior and will be lost if the code is +// regenerated. +// + +namespace Microsoft.Azure.Management.Maintenance +{ + using Microsoft.Rest; + using Microsoft.Rest.Azure; + using Models; + using System.Collections; + using System.Collections.Generic; + using System.Threading; + using System.Threading.Tasks; + + /// + /// ApplyUpdateForResourceGroupOperations operations. + /// + public partial interface IApplyUpdateForResourceGroupOperations + { + /// + /// Get Configuration records within a subscription and resource group + /// + /// + /// Resource Group Name + /// + /// + /// The headers that will be added to request. + /// + /// + /// The cancellation token. + /// + /// + /// Thrown when the operation returned an invalid status code + /// + /// + /// Thrown when unable to deserialize the response + /// + /// + /// Thrown when a required parameter is null + /// + Task>> ListWithHttpMessagesAsync(string resourceGroupName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); + } +} diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IApplyUpdatesOperations.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IApplyUpdatesOperations.cs index 8597b1c45652..7527c3ef72b4 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IApplyUpdatesOperations.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IApplyUpdatesOperations.cs @@ -56,7 +56,7 @@ public partial interface IApplyUpdatesOperations /// /// The cancellation token. /// - /// + /// /// Thrown when the operation returned an invalid status code /// /// @@ -93,7 +93,7 @@ public partial interface IApplyUpdatesOperations /// /// The cancellation token. /// - /// + /// /// Thrown when the operation returned an invalid status code /// /// @@ -133,7 +133,7 @@ public partial interface IApplyUpdatesOperations /// /// The cancellation token. /// - /// + /// /// Thrown when the operation returned an invalid status code /// /// @@ -167,7 +167,7 @@ public partial interface IApplyUpdatesOperations /// /// The cancellation token. /// - /// + /// /// Thrown when the operation returned an invalid status code /// /// @@ -177,5 +177,24 @@ public partial interface IApplyUpdatesOperations /// Thrown when a required parameter is null /// Task> CreateOrUpdateWithHttpMessagesAsync(string resourceGroupName, string providerName, string resourceType, string resourceName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); + /// + /// Get Configuration records within a subscription + /// + /// + /// The headers that will be added to request. + /// + /// + /// The cancellation token. + /// + /// + /// Thrown when the operation returned an invalid status code + /// + /// + /// Thrown when unable to deserialize the response + /// + /// + /// Thrown when a required parameter is null + /// + Task>> ListWithHttpMessagesAsync(Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); } } diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IConfigurationAssignmentsOperations.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IConfigurationAssignmentsOperations.cs index 8685758cc242..cacbb0e5a961 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IConfigurationAssignmentsOperations.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IConfigurationAssignmentsOperations.cs @@ -59,7 +59,7 @@ public partial interface IConfigurationAssignmentsOperations /// /// The cancellation token. /// - /// + /// /// Thrown when the operation returned an invalid status code /// /// @@ -102,7 +102,7 @@ public partial interface IConfigurationAssignmentsOperations /// /// The cancellation token. /// - /// + /// /// Thrown when the operation returned an invalid status code /// /// @@ -142,7 +142,7 @@ public partial interface IConfigurationAssignmentsOperations /// /// The cancellation token. /// - /// + /// /// Thrown when the operation returned an invalid status code /// /// @@ -179,7 +179,7 @@ public partial interface IConfigurationAssignmentsOperations /// /// The cancellation token. /// - /// + /// /// Thrown when the operation returned an invalid status code /// /// @@ -219,7 +219,7 @@ public partial interface IConfigurationAssignmentsOperations /// /// The cancellation token. /// - /// + /// /// Thrown when the operation returned an invalid status code /// /// @@ -253,7 +253,7 @@ public partial interface IConfigurationAssignmentsOperations /// /// The cancellation token. /// - /// + /// /// Thrown when the operation returned an invalid status code /// /// diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IMaintenanceConfigurationsForResourceGroupOperations.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IMaintenanceConfigurationsForResourceGroupOperations.cs new file mode 100644 index 000000000000..d71384bfa290 --- /dev/null +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IMaintenanceConfigurationsForResourceGroupOperations.cs @@ -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 Microsoft (R) AutoRest Code Generator. +// Changes may cause incorrect behavior and will be lost if the code is +// regenerated. +// + +namespace Microsoft.Azure.Management.Maintenance +{ + using Microsoft.Rest; + using Microsoft.Rest.Azure; + using Models; + using System.Collections; + using System.Collections.Generic; + using System.Threading; + using System.Threading.Tasks; + + /// + /// MaintenanceConfigurationsForResourceGroupOperations operations. + /// + public partial interface IMaintenanceConfigurationsForResourceGroupOperations + { + /// + /// Get Configuration records within a subscription and resource group + /// + /// + /// Resource Group Name + /// + /// + /// The headers that will be added to request. + /// + /// + /// The cancellation token. + /// + /// + /// Thrown when the operation returned an invalid status code + /// + /// + /// Thrown when unable to deserialize the response + /// + /// + /// Thrown when a required parameter is null + /// + Task>> ListWithHttpMessagesAsync(string resourceGroupName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)); + } +} diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IMaintenanceConfigurationsOperations.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IMaintenanceConfigurationsOperations.cs index 18974cc9634c..c075469440c4 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IMaintenanceConfigurationsOperations.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IMaintenanceConfigurationsOperations.cs @@ -30,7 +30,7 @@ public partial interface IMaintenanceConfigurationsOperations /// Resource Group Name /// /// - /// Resource Identifier + /// Maintenance Configuration Name /// /// /// The headers that will be added to request. @@ -55,7 +55,7 @@ public partial interface IMaintenanceConfigurationsOperations /// Resource Group Name /// /// - /// Resource Identifier + /// Maintenance Configuration Name /// /// /// The configuration @@ -83,7 +83,7 @@ public partial interface IMaintenanceConfigurationsOperations /// Resource Group Name /// /// - /// Resource Identifier + /// Maintenance Configuration Name /// /// /// The headers that will be added to request. @@ -108,7 +108,7 @@ public partial interface IMaintenanceConfigurationsOperations /// Resource Group Name /// /// - /// Resource Identifier + /// Maintenance Configuration Name /// /// /// The configuration diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IMaintenanceManagementClient.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IMaintenanceManagementClient.cs index de2ac321e915..eec654bdab8f 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IMaintenanceManagementClient.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IMaintenanceManagementClient.cs @@ -16,7 +16,7 @@ namespace Microsoft.Azure.Management.Maintenance using Newtonsoft.Json; /// - /// Azure Maintenance Management Client + /// Maintenance Client /// public partial interface IMaintenanceManagementClient : System.IDisposable { @@ -91,6 +91,16 @@ public partial interface IMaintenanceManagementClient : System.IDisposable /// IMaintenanceConfigurationsOperations MaintenanceConfigurations { get; } + /// + /// Gets the IMaintenanceConfigurationsForResourceGroupOperations. + /// + IMaintenanceConfigurationsForResourceGroupOperations MaintenanceConfigurationsForResourceGroup { get; } + + /// + /// Gets the IApplyUpdateForResourceGroupOperations. + /// + IApplyUpdateForResourceGroupOperations ApplyUpdateForResourceGroup { get; } + /// /// Gets the IOperations. /// diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IPublicMaintenanceConfigurationsOperations.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IPublicMaintenanceConfigurationsOperations.cs index 9efe6ae90f6e..a8f020b6a6bc 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IPublicMaintenanceConfigurationsOperations.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IPublicMaintenanceConfigurationsOperations.cs @@ -46,7 +46,7 @@ public partial interface IPublicMaintenanceConfigurationsOperations /// Get Public Maintenance Configuration record /// /// - /// Resource Identifier + /// Maintenance Configuration Name /// /// /// The headers that will be added to request. diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IUpdatesOperations.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IUpdatesOperations.cs index 961efb741a76..03b386ecfa2e 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IUpdatesOperations.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/IUpdatesOperations.cs @@ -53,7 +53,7 @@ public partial interface IUpdatesOperations /// /// The cancellation token. /// - /// + /// /// Thrown when the operation returned an invalid status code /// /// @@ -87,7 +87,7 @@ public partial interface IUpdatesOperations /// /// The cancellation token. /// - /// + /// /// Thrown when the operation returned an invalid status code /// /// diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/MaintenanceConfigurationsForResourceGroupOperations.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/MaintenanceConfigurationsForResourceGroupOperations.cs new file mode 100644 index 000000000000..a307267aa79b --- /dev/null +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/MaintenanceConfigurationsForResourceGroupOperations.cs @@ -0,0 +1,236 @@ +// +// 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. +// + +namespace Microsoft.Azure.Management.Maintenance +{ + using Microsoft.Rest; + using Microsoft.Rest.Azure; + using Models; + using Newtonsoft.Json; + using System.Collections; + using System.Collections.Generic; + using System.Linq; + using System.Net; + using System.Net.Http; + using System.Threading; + using System.Threading.Tasks; + + /// + /// MaintenanceConfigurationsForResourceGroupOperations operations. + /// + internal partial class MaintenanceConfigurationsForResourceGroupOperations : IServiceOperations, IMaintenanceConfigurationsForResourceGroupOperations + { + /// + /// Initializes a new instance of the MaintenanceConfigurationsForResourceGroupOperations class. + /// + /// + /// Reference to the service client. + /// + /// + /// Thrown when a required parameter is null + /// + internal MaintenanceConfigurationsForResourceGroupOperations(MaintenanceManagementClient client) + { + if (client == null) + { + throw new System.ArgumentNullException("client"); + } + Client = client; + } + + /// + /// Gets a reference to the MaintenanceManagementClient + /// + public MaintenanceManagementClient Client { get; private set; } + + /// + /// Get Configuration records within a subscription and resource group + /// + /// + /// Resource Group Name + /// + /// + /// Headers that will be added to request. + /// + /// + /// The cancellation token. + /// + /// + /// Thrown when the operation returned an invalid status code + /// + /// + /// Thrown when unable to deserialize the response + /// + /// + /// Thrown when a required parameter is null + /// + /// + /// Thrown when a required parameter is null + /// + /// + /// A response object containing the response body and response headers. + /// + public async Task>> ListWithHttpMessagesAsync(string resourceGroupName, Dictionary> customHeaders = null, CancellationToken cancellationToken = default(CancellationToken)) + { + if (Client.SubscriptionId == null) + { + throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.SubscriptionId"); + } + if (resourceGroupName == null) + { + throw new ValidationException(ValidationRules.CannotBeNull, "resourceGroupName"); + } + if (Client.ApiVersion == null) + { + throw new ValidationException(ValidationRules.CannotBeNull, "this.Client.ApiVersion"); + } + // Tracing + bool _shouldTrace = ServiceClientTracing.IsEnabled; + string _invocationId = null; + if (_shouldTrace) + { + _invocationId = ServiceClientTracing.NextInvocationId.ToString(); + Dictionary tracingParameters = new Dictionary(); + tracingParameters.Add("resourceGroupName", resourceGroupName); + tracingParameters.Add("cancellationToken", cancellationToken); + ServiceClientTracing.Enter(_invocationId, this, "List", tracingParameters); + } + // Construct URL + var _baseUrl = Client.BaseUri.AbsoluteUri; + var _url = new System.Uri(new System.Uri(_baseUrl + (_baseUrl.EndsWith("/") ? "" : "/")), "subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maintenance/maintenanceConfigurations").ToString(); + _url = _url.Replace("{subscriptionId}", System.Uri.EscapeDataString(Client.SubscriptionId)); + _url = _url.Replace("{resourceGroupName}", System.Uri.EscapeDataString(resourceGroupName)); + List _queryParameters = new List(); + if (Client.ApiVersion != null) + { + _queryParameters.Add(string.Format("api-version={0}", System.Uri.EscapeDataString(Client.ApiVersion))); + } + if (_queryParameters.Count > 0) + { + _url += (_url.Contains("?") ? "&" : "?") + string.Join("&", _queryParameters); + } + // Create HTTP transport objects + var _httpRequest = new HttpRequestMessage(); + HttpResponseMessage _httpResponse = null; + _httpRequest.Method = new HttpMethod("GET"); + _httpRequest.RequestUri = new System.Uri(_url); + // Set Headers + if (Client.GenerateClientRequestId != null && Client.GenerateClientRequestId.Value) + { + _httpRequest.Headers.TryAddWithoutValidation("x-ms-client-request-id", System.Guid.NewGuid().ToString()); + } + if (Client.AcceptLanguage != null) + { + if (_httpRequest.Headers.Contains("accept-language")) + { + _httpRequest.Headers.Remove("accept-language"); + } + _httpRequest.Headers.TryAddWithoutValidation("accept-language", Client.AcceptLanguage); + } + + + if (customHeaders != null) + { + foreach(var _header in customHeaders) + { + if (_httpRequest.Headers.Contains(_header.Key)) + { + _httpRequest.Headers.Remove(_header.Key); + } + _httpRequest.Headers.TryAddWithoutValidation(_header.Key, _header.Value); + } + } + + // Serialize Request + string _requestContent = null; + // Set Credentials + if (Client.Credentials != null) + { + cancellationToken.ThrowIfCancellationRequested(); + await Client.Credentials.ProcessHttpRequestAsync(_httpRequest, cancellationToken).ConfigureAwait(false); + } + // Send Request + if (_shouldTrace) + { + ServiceClientTracing.SendRequest(_invocationId, _httpRequest); + } + cancellationToken.ThrowIfCancellationRequested(); + _httpResponse = await Client.HttpClient.SendAsync(_httpRequest, cancellationToken).ConfigureAwait(false); + if (_shouldTrace) + { + ServiceClientTracing.ReceiveResponse(_invocationId, _httpResponse); + } + HttpStatusCode _statusCode = _httpResponse.StatusCode; + cancellationToken.ThrowIfCancellationRequested(); + string _responseContent = null; + if ((int)_statusCode != 200) + { + var ex = new MaintenanceErrorException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); + try + { + _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); + MaintenanceError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); + if (_errorBody != null) + { + ex.Body = _errorBody; + } + } + catch (JsonException) + { + // Ignore the exception + } + ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); + ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); + if (_shouldTrace) + { + ServiceClientTracing.Error(_invocationId, ex); + } + _httpRequest.Dispose(); + if (_httpResponse != null) + { + _httpResponse.Dispose(); + } + throw ex; + } + // Create Result + var _result = new AzureOperationResponse>(); + _result.Request = _httpRequest; + _result.Response = _httpResponse; + if (_httpResponse.Headers.Contains("x-ms-request-id")) + { + _result.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); + } + // Deserialize Response + if ((int)_statusCode == 200) + { + _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); + try + { + _result.Body = Rest.Serialization.SafeJsonConvert.DeserializeObject>(_responseContent, Client.DeserializationSettings); + } + catch (JsonException ex) + { + _httpRequest.Dispose(); + if (_httpResponse != null) + { + _httpResponse.Dispose(); + } + throw new SerializationException("Unable to deserialize the response.", _responseContent, ex); + } + } + if (_shouldTrace) + { + ServiceClientTracing.Exit(_invocationId, _result); + } + return _result; + } + + } +} diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/MaintenanceConfigurationsForResourceGroupOperationsExtensions.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/MaintenanceConfigurationsForResourceGroupOperationsExtensions.cs new file mode 100644 index 000000000000..c17da21ae08d --- /dev/null +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/MaintenanceConfigurationsForResourceGroupOperationsExtensions.cs @@ -0,0 +1,61 @@ +// +// 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. +// + +namespace Microsoft.Azure.Management.Maintenance +{ + using Microsoft.Rest; + using Microsoft.Rest.Azure; + using Models; + using System.Collections; + using System.Collections.Generic; + using System.Threading; + using System.Threading.Tasks; + + /// + /// Extension methods for MaintenanceConfigurationsForResourceGroupOperations. + /// + public static partial class MaintenanceConfigurationsForResourceGroupOperationsExtensions + { + /// + /// Get Configuration records within a subscription and resource group + /// + /// + /// The operations group for this extension method. + /// + /// + /// Resource Group Name + /// + public static IEnumerable List(this IMaintenanceConfigurationsForResourceGroupOperations operations, string resourceGroupName) + { + return operations.ListAsync(resourceGroupName).GetAwaiter().GetResult(); + } + + /// + /// Get Configuration records within a subscription and resource group + /// + /// + /// The operations group for this extension method. + /// + /// + /// Resource Group Name + /// + /// + /// The cancellation token. + /// + public static async Task> ListAsync(this IMaintenanceConfigurationsForResourceGroupOperations operations, string resourceGroupName, CancellationToken cancellationToken = default(CancellationToken)) + { + using (var _result = await operations.ListWithHttpMessagesAsync(resourceGroupName, null, cancellationToken).ConfigureAwait(false)) + { + return _result.Body; + } + } + + } +} diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/MaintenanceConfigurationsOperations.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/MaintenanceConfigurationsOperations.cs index 06055e877a25..ae9e64737177 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/MaintenanceConfigurationsOperations.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/MaintenanceConfigurationsOperations.cs @@ -57,7 +57,7 @@ internal MaintenanceConfigurationsOperations(MaintenanceManagementClient client) /// Resource Group Name /// /// - /// Resource Identifier + /// Maintenance Configuration Name /// /// /// Headers that will be added to request. @@ -248,7 +248,7 @@ internal MaintenanceConfigurationsOperations(MaintenanceManagementClient client) /// Resource Group Name /// /// - /// Resource Identifier + /// Maintenance Configuration Name /// /// /// The configuration @@ -453,7 +453,7 @@ internal MaintenanceConfigurationsOperations(MaintenanceManagementClient client) /// Resource Group Name /// /// - /// Resource Identifier + /// Maintenance Configuration Name /// /// /// Headers that will be added to request. @@ -575,7 +575,7 @@ internal MaintenanceConfigurationsOperations(MaintenanceManagementClient client) HttpStatusCode _statusCode = _httpResponse.StatusCode; cancellationToken.ThrowIfCancellationRequested(); string _responseContent = null; - if ((int)_statusCode != 200) + if ((int)_statusCode != 200 && (int)_statusCode != 204) { var ex = new MaintenanceErrorException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); try @@ -644,7 +644,7 @@ internal MaintenanceConfigurationsOperations(MaintenanceManagementClient client) /// Resource Group Name /// /// - /// Resource Identifier + /// Maintenance Configuration Name /// /// /// The configuration diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/MaintenanceConfigurationsOperationsExtensions.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/MaintenanceConfigurationsOperationsExtensions.cs index 99fc464d70cd..ce456102f82a 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/MaintenanceConfigurationsOperationsExtensions.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/MaintenanceConfigurationsOperationsExtensions.cs @@ -33,7 +33,7 @@ public static partial class MaintenanceConfigurationsOperationsExtensions /// Resource Group Name /// /// - /// Resource Identifier + /// Maintenance Configuration Name /// public static MaintenanceConfiguration Get(this IMaintenanceConfigurationsOperations operations, string resourceGroupName, string resourceName) { @@ -50,7 +50,7 @@ public static MaintenanceConfiguration Get(this IMaintenanceConfigurationsOperat /// Resource Group Name /// /// - /// Resource Identifier + /// Maintenance Configuration Name /// /// /// The cancellation token. @@ -73,7 +73,7 @@ public static MaintenanceConfiguration Get(this IMaintenanceConfigurationsOperat /// Resource Group Name /// /// - /// Resource Identifier + /// Maintenance Configuration Name /// /// /// The configuration @@ -93,7 +93,7 @@ public static MaintenanceConfiguration CreateOrUpdate(this IMaintenanceConfigura /// Resource Group Name /// /// - /// Resource Identifier + /// Maintenance Configuration Name /// /// /// The configuration @@ -119,7 +119,7 @@ public static MaintenanceConfiguration CreateOrUpdate(this IMaintenanceConfigura /// Resource Group Name /// /// - /// Resource Identifier + /// Maintenance Configuration Name /// public static MaintenanceConfiguration Delete(this IMaintenanceConfigurationsOperations operations, string resourceGroupName, string resourceName) { @@ -136,7 +136,7 @@ public static MaintenanceConfiguration Delete(this IMaintenanceConfigurationsOpe /// Resource Group Name /// /// - /// Resource Identifier + /// Maintenance Configuration Name /// /// /// The cancellation token. @@ -159,7 +159,7 @@ public static MaintenanceConfiguration Delete(this IMaintenanceConfigurationsOpe /// Resource Group Name /// /// - /// Resource Identifier + /// Maintenance Configuration Name /// /// /// The configuration @@ -179,7 +179,7 @@ public static MaintenanceConfiguration UpdateMethod(this IMaintenanceConfigurati /// Resource Group Name /// /// - /// Resource Identifier + /// Maintenance Configuration Name /// /// /// The configuration diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/MaintenanceManagementClient.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/MaintenanceManagementClient.cs index 2aab4246f26b..d21aad5ea0f0 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/MaintenanceManagementClient.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/MaintenanceManagementClient.cs @@ -22,7 +22,7 @@ namespace Microsoft.Azure.Management.Maintenance using System.Net.Http; /// - /// Azure Maintenance Management Client + /// Maintenance Client /// public partial class MaintenanceManagementClient : ServiceClient, IMaintenanceManagementClient, IAzureClient { @@ -96,6 +96,16 @@ public partial class MaintenanceManagementClient : ServiceClient public virtual IMaintenanceConfigurationsOperations MaintenanceConfigurations { get; private set; } + /// + /// Gets the IMaintenanceConfigurationsForResourceGroupOperations. + /// + public virtual IMaintenanceConfigurationsForResourceGroupOperations MaintenanceConfigurationsForResourceGroup { get; private set; } + + /// + /// Gets the IApplyUpdateForResourceGroupOperations. + /// + public virtual IApplyUpdateForResourceGroupOperations ApplyUpdateForResourceGroup { get; private set; } + /// /// Gets the IOperations. /// @@ -351,10 +361,12 @@ private void Initialize() ApplyUpdates = new ApplyUpdatesOperations(this); ConfigurationAssignments = new ConfigurationAssignmentsOperations(this); MaintenanceConfigurations = new MaintenanceConfigurationsOperations(this); + MaintenanceConfigurationsForResourceGroup = new MaintenanceConfigurationsForResourceGroupOperations(this); + ApplyUpdateForResourceGroup = new ApplyUpdateForResourceGroupOperations(this); Operations = new Operations(this); Updates = new UpdatesOperations(this); BaseUri = new System.Uri("https://management.azure.com"); - ApiVersion = "2020-07-01-preview"; + ApiVersion = "2021-05-01"; AcceptLanguage = "en-US"; LongRunningOperationRetryTimeout = 30; GenerateClientRequestId = true; diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/ApplyUpdate.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/ApplyUpdate.cs index 09068ce3310b..e5f235fbbc16 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/ApplyUpdate.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/ApplyUpdate.cs @@ -35,13 +35,15 @@ public ApplyUpdate() /// Fully qualified identifier of the resource /// Name of the resource /// Type of the resource + /// Azure Resource Manager metadata containing + /// createdBy and modifiedBy information. /// The status. Possible values include: /// 'Pending', 'InProgress', 'Completed', 'RetryNow', /// 'RetryLater' /// The resourceId /// Last Update time - public ApplyUpdate(string id = default(string), string name = default(string), string type = default(string), string status = default(string), string resourceId = default(string), System.DateTime? lastUpdateTime = default(System.DateTime?)) - : base(id, name, type) + public ApplyUpdate(string id = default(string), string name = default(string), string type = default(string), SystemData systemData = default(SystemData), string status = default(string), string resourceId = default(string), System.DateTime? lastUpdateTime = default(System.DateTime?)) + : base(id, name, type, systemData) { Status = status; ResourceId = resourceId; diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/ConfigurationAssignment.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/ConfigurationAssignment.cs index 31d13dbf53a0..1d7312ff1259 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/ConfigurationAssignment.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/ConfigurationAssignment.cs @@ -35,12 +35,14 @@ public ConfigurationAssignment() /// Fully qualified identifier of the resource /// Name of the resource /// Type of the resource + /// Azure Resource Manager metadata containing + /// createdBy and modifiedBy information. /// Location of the resource /// The maintenance /// configuration Id /// The unique resourceId - public ConfigurationAssignment(string id = default(string), string name = default(string), string type = default(string), string location = default(string), string maintenanceConfigurationId = default(string), string resourceId = default(string)) - : base(id, name, type) + public ConfigurationAssignment(string id = default(string), string name = default(string), string type = default(string), SystemData systemData = default(SystemData), string location = default(string), string maintenanceConfigurationId = default(string), string resourceId = default(string)) + : base(id, name, type, systemData) { Location = location; MaintenanceConfigurationId = maintenanceConfigurationId; diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/CreatedByType.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/CreatedByType.cs new file mode 100644 index 000000000000..9e941cde4445 --- /dev/null +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/CreatedByType.cs @@ -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 Microsoft (R) AutoRest Code Generator. +// Changes may cause incorrect behavior and will be lost if the code is +// regenerated. +// + +namespace Microsoft.Azure.Management.Maintenance.Models +{ + + /// + /// Defines values for CreatedByType. + /// + public static class CreatedByType + { + public const string User = "User"; + public const string Application = "Application"; + public const string ManagedIdentity = "ManagedIdentity"; + public const string Key = "Key"; + } +} diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/ImpactType.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/ImpactType.cs index f7f70b754969..e83bd069b614 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/ImpactType.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/ImpactType.cs @@ -16,9 +16,22 @@ namespace Microsoft.Azure.Management.Maintenance.Models /// public static class ImpactType { + /// + /// Pending updates has no impact on resource. + /// public const string None = "None"; + /// + /// Pending updates can freeze network or disk io operation on + /// resource. + /// public const string Freeze = "Freeze"; + /// + /// Pending updates can cause resource to restart. + /// public const string Restart = "Restart"; + /// + /// Pending updates can redeploy resource. + /// public const string Redeploy = "Redeploy"; } } diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/MaintenanceConfiguration.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/MaintenanceConfiguration.cs index 3ff629a86682..acb945df7d86 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/MaintenanceConfiguration.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/MaintenanceConfiguration.cs @@ -37,6 +37,8 @@ public MaintenanceConfiguration() /// Fully qualified identifier of the resource /// Name of the resource /// Type of the resource + /// Azure Resource Manager metadata containing + /// createdBy and modifiedBy information. /// Gets or sets location of the /// resource /// Gets or sets tags of the resource @@ -45,9 +47,8 @@ public MaintenanceConfiguration() /// Gets or sets extensionProperties /// of the maintenanceConfiguration /// Gets or sets maintenanceScope of the - /// configuration. Possible values include: 'All', 'Host', 'Resource', - /// 'InResource', 'OSImage', 'Extension', 'InGuestPatch', 'SQLDB', - /// 'SQLManagedInstance' + /// configuration. Possible values include: 'Host', 'OSImage', + /// 'Extension', 'InGuestPatch', 'SQLDB', 'SQLManagedInstance' /// Effective start date of the maintenance /// window in YYYY-MM-DD hh:mm format. The start date can be set to /// either the current date or future date. The window will be created @@ -84,9 +85,10 @@ public MaintenanceConfiguration() /// day23,day24, recurEvery: Month Last Sunday, recurEvery: Month /// Fourth Monday. /// Gets or sets the visibility of the - /// configuration. Possible values include: 'Custom', 'Public' - public MaintenanceConfiguration(string id = default(string), string name = default(string), string type = default(string), string location = default(string), IDictionary tags = default(IDictionary), string namespaceProperty = default(string), IDictionary extensionProperties = default(IDictionary), string maintenanceScope = default(string), string startDateTime = default(string), string expirationDateTime = default(string), string duration = default(string), string timeZone = default(string), string recurEvery = default(string), string visibility = default(string)) - : base(id, name, type) + /// configuration. The default value is 'Custom'. Possible values + /// include: 'Custom', 'Public' + public MaintenanceConfiguration(string id = default(string), string name = default(string), string type = default(string), SystemData systemData = default(SystemData), string location = default(string), IDictionary tags = default(IDictionary), string namespaceProperty = default(string), IDictionary extensionProperties = default(IDictionary), string maintenanceScope = default(string), string startDateTime = default(string), string expirationDateTime = default(string), string duration = default(string), string timeZone = default(string), string recurEvery = default(string), string visibility = default(string)) + : base(id, name, type, systemData) { Location = location; Tags = tags; @@ -133,8 +135,8 @@ public MaintenanceConfiguration() /// /// Gets or sets maintenanceScope of the configuration. Possible values - /// include: 'All', 'Host', 'Resource', 'InResource', 'OSImage', - /// 'Extension', 'InGuestPatch', 'SQLDB', 'SQLManagedInstance' + /// include: 'Host', 'OSImage', 'Extension', 'InGuestPatch', 'SQLDB', + /// 'SQLManagedInstance' /// [JsonProperty(PropertyName = "properties.maintenanceScope")] public string MaintenanceScope { get; set; } @@ -198,8 +200,8 @@ public MaintenanceConfiguration() public string RecurEvery { get; set; } /// - /// Gets or sets the visibility of the configuration. Possible values - /// include: 'Custom', 'Public' + /// Gets or sets the visibility of the configuration. The default value + /// is 'Custom'. Possible values include: 'Custom', 'Public' /// [JsonProperty(PropertyName = "properties.visibility")] public string Visibility { get; set; } diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/MaintenanceScope.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/MaintenanceScope.cs index 64efd68052f9..4bb3d9037812 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/MaintenanceScope.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/MaintenanceScope.cs @@ -16,14 +16,33 @@ namespace Microsoft.Azure.Management.Maintenance.Models /// public static class MaintenanceScope { - public const string All = "All"; + /// + /// This maintenance scope controls installation of azure platform + /// updates i.e. services on physical nodes hosting customer VMs. + /// public const string Host = "Host"; - public const string Resource = "Resource"; - public const string InResource = "InResource"; + /// + /// This maintenance scope controls os image installation on VM/VMSS + /// public const string OSImage = "OSImage"; + /// + /// This maintenance scope controls extension installation on VM/VMSS + /// public const string Extension = "Extension"; + /// + /// This maintenance scope controls installation of windows and linux + /// packages on VM/VMSS + /// public const string InGuestPatch = "InGuestPatch"; + /// + /// This maintenance scope controls installation of SQL server platform + /// updates. + /// public const string SQLDB = "SQLDB"; + /// + /// This maintenance scope controls installation of SQL managed + /// instance platform update. + /// public const string SQLManagedInstance = "SQLManagedInstance"; } } diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/Operation.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/Operation.cs index 1970f92fb2df..04033e0409aa 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/Operation.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/Operation.cs @@ -33,12 +33,15 @@ public Operation() /// Display name of the operation /// Origin of the operation /// Properties of the operation - public Operation(string name = default(string), OperationInfo display = default(OperationInfo), string origin = default(string), object properties = default(object)) + /// Indicates whether the operation is a + /// data action + public Operation(string name = default(string), OperationInfo display = default(OperationInfo), string origin = default(string), object properties = default(object), bool? isDataAction = default(bool?)) { Name = name; Display = display; Origin = origin; Properties = properties; + IsDataAction = isDataAction; CustomInit(); } @@ -71,5 +74,11 @@ public Operation() [JsonProperty(PropertyName = "properties")] public object Properties { get; set; } + /// + /// Gets or sets indicates whether the operation is a data action + /// + [JsonProperty(PropertyName = "isDataAction")] + public bool? IsDataAction { get; set; } + } } diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/Resource.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/Resource.cs index a2c44760b0a1..9ce41f2f288d 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/Resource.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/Resource.cs @@ -34,11 +34,14 @@ public Resource() /// Fully qualified identifier of the resource /// Name of the resource /// Type of the resource - public Resource(string id = default(string), string name = default(string), string type = default(string)) + /// Azure Resource Manager metadata containing + /// createdBy and modifiedBy information. + public Resource(string id = default(string), string name = default(string), string type = default(string), SystemData systemData = default(SystemData)) { Id = id; Name = name; Type = type; + SystemData = systemData; CustomInit(); } @@ -65,5 +68,12 @@ public Resource() [JsonProperty(PropertyName = "type")] public string Type { get; private set; } + /// + /// Gets azure Resource Manager metadata containing createdBy and + /// modifiedBy information. + /// + [JsonProperty(PropertyName = "systemData")] + public SystemData SystemData { get; private set; } + } } diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/SystemData.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/SystemData.cs new file mode 100644 index 000000000000..1413f5ef44ec --- /dev/null +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/SystemData.cs @@ -0,0 +1,103 @@ +// +// 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. +// + +namespace Microsoft.Azure.Management.Maintenance.Models +{ + using Newtonsoft.Json; + using System.Linq; + + /// + /// Metadata pertaining to creation and last modification of the resource. + /// + public partial class SystemData + { + /// + /// Initializes a new instance of the SystemData class. + /// + public SystemData() + { + CustomInit(); + } + + /// + /// Initializes a new instance of the SystemData class. + /// + /// The identity that created the + /// resource. + /// The type of identity that created the + /// resource. Possible values include: 'User', 'Application', + /// 'ManagedIdentity', 'Key' + /// The timestamp of resource creation + /// (UTC). + /// The identity that last modified the + /// resource. + /// The type of identity that last + /// modified the resource. Possible values include: 'User', + /// 'Application', 'ManagedIdentity', 'Key' + /// The timestamp of resource last + /// modification (UTC) + public SystemData(string createdBy = default(string), string createdByType = default(string), System.DateTime? createdAt = default(System.DateTime?), string lastModifiedBy = default(string), string lastModifiedByType = default(string), System.DateTime? lastModifiedAt = default(System.DateTime?)) + { + CreatedBy = createdBy; + CreatedByType = createdByType; + CreatedAt = createdAt; + LastModifiedBy = lastModifiedBy; + LastModifiedByType = lastModifiedByType; + LastModifiedAt = lastModifiedAt; + CustomInit(); + } + + /// + /// An initialization method that performs custom operations like setting defaults + /// + partial void CustomInit(); + + /// + /// Gets or sets the identity that created the resource. + /// + [JsonProperty(PropertyName = "createdBy")] + public string CreatedBy { get; set; } + + /// + /// Gets or sets the type of identity that created the resource. + /// Possible values include: 'User', 'Application', 'ManagedIdentity', + /// 'Key' + /// + [JsonProperty(PropertyName = "createdByType")] + public string CreatedByType { get; set; } + + /// + /// Gets or sets the timestamp of resource creation (UTC). + /// + [JsonProperty(PropertyName = "createdAt")] + public System.DateTime? CreatedAt { get; set; } + + /// + /// Gets or sets the identity that last modified the resource. + /// + [JsonProperty(PropertyName = "lastModifiedBy")] + public string LastModifiedBy { get; set; } + + /// + /// Gets or sets the type of identity that last modified the resource. + /// Possible values include: 'User', 'Application', 'ManagedIdentity', + /// 'Key' + /// + [JsonProperty(PropertyName = "lastModifiedByType")] + public string LastModifiedByType { get; set; } + + /// + /// Gets or sets the timestamp of resource last modification (UTC) + /// + [JsonProperty(PropertyName = "lastModifiedAt")] + public System.DateTime? LastModifiedAt { get; set; } + + } +} diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/Update.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/Update.cs index a23323073cd6..57e0d07f82bc 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/Update.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/Update.cs @@ -33,8 +33,8 @@ public Update() /// Initializes a new instance of the Update class. /// /// The impact area. Possible values - /// include: 'All', 'Host', 'Resource', 'InResource', 'OSImage', - /// 'Extension', 'InGuestPatch', 'SQLDB', 'SQLManagedInstance' + /// include: 'Host', 'OSImage', 'Extension', 'InGuestPatch', 'SQLDB', + /// 'SQLManagedInstance' /// The impact type. Possible values include: /// 'None', 'Freeze', 'Restart', 'Redeploy' /// The status. Possible values include: @@ -62,9 +62,9 @@ public Update() partial void CustomInit(); /// - /// Gets or sets the impact area. Possible values include: 'All', - /// 'Host', 'Resource', 'InResource', 'OSImage', 'Extension', - /// 'InGuestPatch', 'SQLDB', 'SQLManagedInstance' + /// Gets or sets the impact area. Possible values include: 'Host', + /// 'OSImage', 'Extension', 'InGuestPatch', 'SQLDB', + /// 'SQLManagedInstance' /// [JsonProperty(PropertyName = "maintenanceScope")] public string MaintenanceScope { get; set; } diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/UpdateStatus.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/UpdateStatus.cs index 8d2bb5dcb620..c0ffb686e7f8 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/UpdateStatus.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/UpdateStatus.cs @@ -16,10 +16,25 @@ namespace Microsoft.Azure.Management.Maintenance.Models /// public static class UpdateStatus { + /// + /// There are pending updates to be installed. + /// public const string Pending = "Pending"; + /// + /// Updates installation are in progress. + /// public const string InProgress = "InProgress"; + /// + /// All updates are successfully applied. + /// public const string Completed = "Completed"; + /// + /// Updates installation failed but are ready to retry again. + /// public const string RetryNow = "RetryNow"; + /// + /// Updates installation failed and should be retried later. + /// public const string RetryLater = "RetryLater"; } } diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/Visibility.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/Visibility.cs index 6a1c3de71e75..ef934467cfcb 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/Visibility.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/Models/Visibility.cs @@ -16,7 +16,13 @@ namespace Microsoft.Azure.Management.Maintenance.Models /// public static class Visibility { + /// + /// Only visible to users with permissions. + /// public const string Custom = "Custom"; + /// + /// Visible to all users. + /// public const string Public = "Public"; } } diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/PublicMaintenanceConfigurationsOperations.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/PublicMaintenanceConfigurationsOperations.cs index 56b61c5d5781..439cba3b5e42 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/PublicMaintenanceConfigurationsOperations.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/PublicMaintenanceConfigurationsOperations.cs @@ -227,7 +227,7 @@ internal PublicMaintenanceConfigurationsOperations(MaintenanceManagementClient c /// Get Public Maintenance Configuration record /// /// - /// Resource Identifier + /// Maintenance Configuration Name /// /// /// Headers that will be added to request. diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/PublicMaintenanceConfigurationsOperationsExtensions.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/PublicMaintenanceConfigurationsOperationsExtensions.cs index 6e245ec72ba3..002151314218 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/PublicMaintenanceConfigurationsOperationsExtensions.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/PublicMaintenanceConfigurationsOperationsExtensions.cs @@ -58,7 +58,7 @@ public static IEnumerable List(this IPublicMaintenance /// The operations group for this extension method. /// /// - /// Resource Identifier + /// Maintenance Configuration Name /// public static MaintenanceConfiguration Get(this IPublicMaintenanceConfigurationsOperations operations, string resourceName) { @@ -72,7 +72,7 @@ public static MaintenanceConfiguration Get(this IPublicMaintenanceConfigurations /// The operations group for this extension method. /// /// - /// Resource Identifier + /// Maintenance Configuration Name /// /// /// The cancellation token. diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/SdkInfo_MaintenanceManagementClient.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/SdkInfo_MaintenanceManagementClient.cs index b3089b109810..0fc6d6b83d19 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/SdkInfo_MaintenanceManagementClient.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/SdkInfo_MaintenanceManagementClient.cs @@ -19,14 +19,27 @@ public static IEnumerable> ApiInfo_MaintenanceMana { return new Tuple[] { - new Tuple("Maintenance", "ApplyUpdates", "2020-07-01-preview"), - new Tuple("Maintenance", "ConfigurationAssignments", "2020-07-01-preview"), - new Tuple("Maintenance", "MaintenanceConfigurations", "2020-07-01-preview"), - new Tuple("Maintenance", "Operations", "2020-07-01-preview"), - new Tuple("Maintenance", "PublicMaintenanceConfigurations", "2020-07-01-preview"), - new Tuple("Maintenance", "Updates", "2020-07-01-preview"), + new Tuple("Maintenance", "ApplyUpdateForResourceGroup", "2021-05-01"), + new Tuple("Maintenance", "ApplyUpdates", "2021-05-01"), + new Tuple("Maintenance", "ConfigurationAssignments", "2021-05-01"), + new Tuple("Maintenance", "MaintenanceConfigurations", "2021-05-01"), + new Tuple("Maintenance", "MaintenanceConfigurationsForResourceGroup", "2021-05-01"), + new Tuple("Maintenance", "Operations", "2021-05-01"), + new Tuple("Maintenance", "PublicMaintenanceConfigurations", "2021-05-01"), + new Tuple("Maintenance", "Updates", "2021-05-01"), }.AsEnumerable(); } } + // BEGIN: Code Generation Metadata Section + public static readonly String AutoRestVersion = "v2"; + public static readonly String AutoRestBootStrapperVersion = "autorest@2.0.4413"; + public static readonly String AutoRestCmdExecuted = "cmd.exe /c autorest.cmd https://github.com/Azure/azure-rest-api-specs/blob/master/specification/maintenance/resource-manager/readme.md --csharp --version=v2 --reflect-api-versions --override-client-name=MaintenanceManagementClient --title=MaintenanceManagementClient --csharp.output-folder='$(csharp-sdks-folder)/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/' --csharp-sdks-folder=E:\\Github\\ARM\\azure-sdk-for-net\\sdk"; + public static readonly String GithubForkName = "Azure"; + public static readonly String GithubBranchName = "master"; + public static readonly String GithubCommidId = "c2ea3a3ccd14293b4bd1d17e684ef9129f0dc604"; + public static readonly String CodeGenerationErrors = ""; + public static readonly String GithubRepoName = "azure-rest-api-specs"; + // END: Code Generation Metadata Section } } + diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/UpdatesOperations.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/UpdatesOperations.cs index 5b4cfad019d9..30cad791f5ea 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/UpdatesOperations.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/UpdatesOperations.cs @@ -80,7 +80,7 @@ internal UpdatesOperations(MaintenanceManagementClient client) /// /// The cancellation token. /// - /// + /// /// Thrown when the operation returned an invalid status code /// /// @@ -220,14 +220,13 @@ internal UpdatesOperations(MaintenanceManagementClient client) string _responseContent = null; if ((int)_statusCode != 200) { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); + var ex = new MaintenanceErrorException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); try { _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); + MaintenanceError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); if (_errorBody != null) { - ex = new CloudException(_errorBody.Message); ex.Body = _errorBody; } } @@ -237,10 +236,6 @@ internal UpdatesOperations(MaintenanceManagementClient client) } ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } if (_shouldTrace) { ServiceClientTracing.Error(_invocationId, ex); @@ -309,7 +304,7 @@ internal UpdatesOperations(MaintenanceManagementClient client) /// /// The cancellation token. /// - /// + /// /// Thrown when the operation returned an invalid status code /// /// @@ -437,14 +432,13 @@ internal UpdatesOperations(MaintenanceManagementClient client) string _responseContent = null; if ((int)_statusCode != 200) { - var ex = new CloudException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); + var ex = new MaintenanceErrorException(string.Format("Operation returned an invalid status code '{0}'", _statusCode)); try { _responseContent = await _httpResponse.Content.ReadAsStringAsync().ConfigureAwait(false); - CloudError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); + MaintenanceError _errorBody = Rest.Serialization.SafeJsonConvert.DeserializeObject(_responseContent, Client.DeserializationSettings); if (_errorBody != null) { - ex = new CloudException(_errorBody.Message); ex.Body = _errorBody; } } @@ -454,10 +448,6 @@ internal UpdatesOperations(MaintenanceManagementClient client) } ex.Request = new HttpRequestMessageWrapper(_httpRequest, _requestContent); ex.Response = new HttpResponseMessageWrapper(_httpResponse, _responseContent); - if (_httpResponse.Headers.Contains("x-ms-request-id")) - { - ex.RequestId = _httpResponse.Headers.GetValues("x-ms-request-id").FirstOrDefault(); - } if (_shouldTrace) { ServiceClientTracing.Error(_invocationId, ex); diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Microsoft.Azure.Management.Maintenance.csproj b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Microsoft.Azure.Management.Maintenance.csproj index 0081f6be5f30..a71ed81bc367 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Microsoft.Azure.Management.Maintenance.csproj +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Microsoft.Azure.Management.Maintenance.csproj @@ -6,10 +6,10 @@ Microsoft.Azure.Management.Maintenance Microsoft Azure Maintenance Management Library - 1.2.0 + 1.3.0 Microsoft.Azure.Management.Maintenance Microsoft Azure Maintenance Management;Maintenance; - Provides capabilities to manage Platform and Resource maintenance on Azure resources. This version supports all capabilities in the 2020-04-01 version along with changes to support scheduled maintenance windows and public maintenance configurations. + Provides capabilities to manage Platform and Resource maintenance on Azure resources. This version supports all capabilities in the 2021-05-01 version along with changes to support scheduled maintenance windows and public maintenance configurations. diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Properties/AssemblyInfo.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Properties/AssemblyInfo.cs index 7ff8ac080c36..7b56ffc1e2d9 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Properties/AssemblyInfo.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/Properties/AssemblyInfo.cs @@ -15,5 +15,5 @@ [assembly: AssemblyCulture("")] -[assembly: AssemblyVersion("1.2.0.0")] -[assembly: AssemblyFileVersion("1.2.0.0")] +[assembly: AssemblyVersion("1.3.0.0")] +[assembly: AssemblyFileVersion("1.3.0.0")] diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/generate.ps1 b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/generate.ps1 index f3cd19c441ae..c8a615264d03 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/generate.ps1 +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/src/generate.ps1 @@ -1,2 +1 @@ -Start-AutoRestCodeGeneration -ResourceProvider "maintenance/resource-manager" -AutoRestVersion "v2" - +Start-AutoRestCodeGeneration -ResourceProvider "maintenance/resource-manager" -AutoRestCodeGenerationFlags " --override-client-name=MaintenanceManagementClient --title=MaintenanceManagementClient --csharp.output-folder='`$(csharp-sdks-folder)/maintenance/Microsoft.Azure.Management.Maintenance/src/Generated/'" -AutoRestVersion "v2" \ No newline at end of file diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/tests/Properties/AssemblyInfo.cs b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/tests/Properties/AssemblyInfo.cs index 0acfa7011784..5c2ae98218d9 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/tests/Properties/AssemblyInfo.cs +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/tests/Properties/AssemblyInfo.cs @@ -20,5 +20,5 @@ // The following GUID is for the ID of the typelib if this project is exposed to COM [assembly: Guid("6D17E66C-92BB-455C-A150-45922A0BA619")] -[assembly: AssemblyVersion("1.2.0.0")] -[assembly: AssemblyFileVersion("1.2.0.0")] +[assembly: AssemblyVersion("1.3.0.0")] +[assembly: AssemblyFileVersion("1.3.0.0")] diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/tests/SessionRecords/MaintenanceConfigurationTests/MaintenanceConfigurationCreateTest.json b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/tests/SessionRecords/MaintenanceConfigurationTests/MaintenanceConfigurationCreateTest.json index 3ad80135364a..7107d186efc6 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/tests/SessionRecords/MaintenanceConfigurationTests/MaintenanceConfigurationCreateTest.json +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/tests/SessionRecords/MaintenanceConfigurationTests/MaintenanceConfigurationCreateTest.json @@ -67,8 +67,8 @@ "StatusCode": 201 }, { - "RequestUri": "/subscriptions/42c974dd-2c03-4f1b-96ad-b07f050aaa74/resourcegroups/maintenance_rg8049/providers/Microsoft.Maintenance/maintenanceConfigurations/maintenancesdk1868?api-version=2020-07-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvNDJjOTc0ZGQtMmMwMy00ZjFiLTk2YWQtYjA3ZjA1MGFhYTc0L3Jlc291cmNlZ3JvdXBzL21haW50ZW5hbmNlX3JnODA0OS9wcm92aWRlcnMvTWljcm9zb2Z0Lk1haW50ZW5hbmNlL21haW50ZW5hbmNlQ29uZmlndXJhdGlvbnMvbWFpbnRlbmFuY2VzZGsxODY4P2FwaS12ZXJzaW9uPTIwMjAtMDctMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/42c974dd-2c03-4f1b-96ad-b07f050aaa74/resourcegroups/maintenance_rg8049/providers/Microsoft.Maintenance/maintenanceConfigurations/maintenancesdk1868?api-version=2021-05-01", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvNDJjOTc0ZGQtMmMwMy00ZjFiLTk2YWQtYjA3ZjA1MGFhYTc0L3Jlc291cmNlZ3JvdXBzL21haW50ZW5hbmNlX3JnODA0OS9wcm92aWRlcnMvTWljcm9zb2Z0Lk1haW50ZW5hbmNlL21haW50ZW5hbmNlQ29uZmlndXJhdGlvbnMvbWFpbnRlbmFuY2VzZGsxODY4P2FwaS12ZXJzaW9uPTIwMjEtMDUtMDE=", "RequestMethod": "PUT", "RequestBody": "{\r\n \"location\": \"westus\",\r\n \"properties\": {\r\n \"startDateTime\": \"2020-04-01 01:00:00\"\r\n ,\r\n \"maintenanceScope\": \"Host\"\r\n }\r\n}", "RequestHeaders": { diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/tests/SessionRecords/MaintenanceConfigurationTests/MaintenanceConfigurationGetTest.json b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/tests/SessionRecords/MaintenanceConfigurationTests/MaintenanceConfigurationGetTest.json index 973b1e7b5aff..4ca4c131cec8 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/tests/SessionRecords/MaintenanceConfigurationTests/MaintenanceConfigurationGetTest.json +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/tests/SessionRecords/MaintenanceConfigurationTests/MaintenanceConfigurationGetTest.json @@ -67,8 +67,8 @@ "StatusCode": 201 }, { - "RequestUri": "/subscriptions/42c974dd-2c03-4f1b-96ad-b07f050aaa74/resourcegroups/maintenance_rg1854/providers/Microsoft.Maintenance/maintenanceConfigurations/maintenancesdk3255?api-version=2020-07-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvNDJjOTc0ZGQtMmMwMy00ZjFiLTk2YWQtYjA3ZjA1MGFhYTc0L3Jlc291cmNlZ3JvdXBzL21haW50ZW5hbmNlX3JnMTg1NC9wcm92aWRlcnMvTWljcm9zb2Z0Lk1haW50ZW5hbmNlL21haW50ZW5hbmNlQ29uZmlndXJhdGlvbnMvbWFpbnRlbmFuY2VzZGszMjU1P2FwaS12ZXJzaW9uPTIwMjAtMDctMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/42c974dd-2c03-4f1b-96ad-b07f050aaa74/resourcegroups/maintenance_rg1854/providers/Microsoft.Maintenance/maintenanceConfigurations/maintenancesdk3255?api-version=2021-05-01", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvNDJjOTc0ZGQtMmMwMy00ZjFiLTk2YWQtYjA3ZjA1MGFhYTc0L3Jlc291cmNlZ3JvdXBzL21haW50ZW5hbmNlX3JnMTg1NC9wcm92aWRlcnMvTWljcm9zb2Z0Lk1haW50ZW5hbmNlL21haW50ZW5hbmNlQ29uZmlndXJhdGlvbnMvbWFpbnRlbmFuY2VzZGszMjU1P2FwaS12ZXJzaW9uPTIwMjEtMDUtMDE=", "RequestMethod": "PUT", "RequestBody": "{\r\n \"location\": \"westus\",\r\n \"properties\": {\r\n \"maintenanceScope\": \"Host\"\r\n }\r\n}", "RequestHeaders": { @@ -133,8 +133,8 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/42c974dd-2c03-4f1b-96ad-b07f050aaa74/resourcegroups/maintenance_rg1854/providers/Microsoft.Maintenance/maintenanceConfigurations/maintenancesdk3255?api-version=2020-07-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvNDJjOTc0ZGQtMmMwMy00ZjFiLTk2YWQtYjA3ZjA1MGFhYTc0L3Jlc291cmNlZ3JvdXBzL21haW50ZW5hbmNlX3JnMTg1NC9wcm92aWRlcnMvTWljcm9zb2Z0Lk1haW50ZW5hbmNlL21haW50ZW5hbmNlQ29uZmlndXJhdGlvbnMvbWFpbnRlbmFuY2VzZGszMjU1P2FwaS12ZXJzaW9uPTIwMjAtMDctMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/42c974dd-2c03-4f1b-96ad-b07f050aaa74/resourcegroups/maintenance_rg1854/providers/Microsoft.Maintenance/maintenanceConfigurations/maintenancesdk3255?api-version=2021-05-01", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvNDJjOTc0ZGQtMmMwMy00ZjFiLTk2YWQtYjA3ZjA1MGFhYTc0L3Jlc291cmNlZ3JvdXBzL21haW50ZW5hbmNlX3JnMTg1NC9wcm92aWRlcnMvTWljcm9zb2Z0Lk1haW50ZW5hbmNlL21haW50ZW5hbmNlQ29uZmlndXJhdGlvbnMvbWFpbnRlbmFuY2VzZGszMjU1P2FwaS12ZXJzaW9uPTIwMjEtMDUtMDE=", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/tests/SessionRecords/MaintenanceConfigurationTests/MaintenanceConfigurationListTest.json b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/tests/SessionRecords/MaintenanceConfigurationTests/MaintenanceConfigurationListTest.json index 47869018d2d3..7fd677a265c6 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/tests/SessionRecords/MaintenanceConfigurationTests/MaintenanceConfigurationListTest.json +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/tests/SessionRecords/MaintenanceConfigurationTests/MaintenanceConfigurationListTest.json @@ -67,8 +67,8 @@ "StatusCode": 201 }, { - "RequestUri": "/subscriptions/42c974dd-2c03-4f1b-96ad-b07f050aaa74/resourcegroups/maintenance_rg3136/providers/Microsoft.Maintenance/maintenanceConfigurations/maintenancesdk5989?api-version=2020-07-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvNDJjOTc0ZGQtMmMwMy00ZjFiLTk2YWQtYjA3ZjA1MGFhYTc0L3Jlc291cmNlZ3JvdXBzL21haW50ZW5hbmNlX3JnMzEzNi9wcm92aWRlcnMvTWljcm9zb2Z0Lk1haW50ZW5hbmNlL21haW50ZW5hbmNlQ29uZmlndXJhdGlvbnMvbWFpbnRlbmFuY2VzZGs1OTg5P2FwaS12ZXJzaW9uPTIwMjAtMDctMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/42c974dd-2c03-4f1b-96ad-b07f050aaa74/resourcegroups/maintenance_rg3136/providers/Microsoft.Maintenance/maintenanceConfigurations/maintenancesdk5989?api-version=2021-05-01", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvNDJjOTc0ZGQtMmMwMy00ZjFiLTk2YWQtYjA3ZjA1MGFhYTc0L3Jlc291cmNlZ3JvdXBzL21haW50ZW5hbmNlX3JnMzEzNi9wcm92aWRlcnMvTWljcm9zb2Z0Lk1haW50ZW5hbmNlL21haW50ZW5hbmNlQ29uZmlndXJhdGlvbnMvbWFpbnRlbmFuY2VzZGs1OTg5P2FwaS12ZXJzaW9uPTIwMjEtMDUtMDE=", "RequestMethod": "PUT", "RequestBody": "{\r\n \"location\": \"westus\",\r\n \"properties\": {\r\n \"maintenanceWindow\":{ \"startDateTime\": \"2020-04-01 01:00:00\"\r\n },\r\n \"maintenanceScope\": \"Host\"\r\n }\r\n}", "RequestHeaders": { @@ -199,8 +199,8 @@ "StatusCode": 201 }, { - "RequestUri": "/subscriptions/42c974dd-2c03-4f1b-96ad-b07f050aaa74/resourcegroups/maintenance_rg6391/providers/Microsoft.Maintenance/maintenanceConfigurations/acinetsdk2792?api-version=2020-07-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvNDJjOTc0ZGQtMmMwMy00ZjFiLTk2YWQtYjA3ZjA1MGFhYTc0L3Jlc291cmNlZ3JvdXBzL21haW50ZW5hbmNlX3JnNjM5MS9wcm92aWRlcnMvTWljcm9zb2Z0Lk1haW50ZW5hbmNlL21haW50ZW5hbmNlQ29uZmlndXJhdGlvbnMvYWNpbmV0c2RrMjc5Mj9hcGktdmVyc2lvbj0yMDIwLTA3LTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/42c974dd-2c03-4f1b-96ad-b07f050aaa74/resourcegroups/maintenance_rg6391/providers/Microsoft.Maintenance/maintenanceConfigurations/acinetsdk2792?api-version=2021-05-01", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvNDJjOTc0ZGQtMmMwMy00ZjFiLTk2YWQtYjA3ZjA1MGFhYTc0L3Jlc291cmNlZ3JvdXBzL21haW50ZW5hbmNlX3JnNjM5MS9wcm92aWRlcnMvTWljcm9zb2Z0Lk1haW50ZW5hbmNlL21haW50ZW5hbmNlQ29uZmlndXJhdGlvbnMvYWNpbmV0c2RrMjc5Mj9hcGktdmVyc2lvbj0yMDIxLTA1LTAx", "RequestMethod": "PUT", "RequestBody": "{\r\n \"location\": \"westus\",\r\n \"properties\": {\r\n \"maintenanceWindow\":{ \"startDateTime\": \"2020-04-01 01:00:00\"\r\n },\r\n \"maintenanceScope\": \"Host\"\r\n }\r\n}", "RequestHeaders": { @@ -265,8 +265,8 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/42c974dd-2c03-4f1b-96ad-b07f050aaa74/providers/Microsoft.Maintenance/maintenanceConfigurations?api-version=2020-07-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvNDJjOTc0ZGQtMmMwMy00ZjFiLTk2YWQtYjA3ZjA1MGFhYTc0L3Byb3ZpZGVycy9NaWNyb3NvZnQuTWFpbnRlbmFuY2UvbWFpbnRlbmFuY2VDb25maWd1cmF0aW9ucz9hcGktdmVyc2lvbj0yMDIwLTA3LTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/42c974dd-2c03-4f1b-96ad-b07f050aaa74/providers/Microsoft.Maintenance/maintenanceConfigurations?api-version=2021-05-01", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvNDJjOTc0ZGQtMmMwMy00ZjFiLTk2YWQtYjA3ZjA1MGFhYTc0L3Byb3ZpZGVycy9NaWNyb3NvZnQuTWFpbnRlbmFuY2UvbWFpbnRlbmFuY2VDb25maWd1cmF0aW9ucz9hcGktdmVyc2lvbj0yMDIxLTA1LTAx", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/tests/SessionRecords/MaintenanceConfigurationTests/PublicMaintenanceConfigurationGetTest.json b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/tests/SessionRecords/MaintenanceConfigurationTests/PublicMaintenanceConfigurationGetTest.json index f04a0be1e2ae..f29a5ae39ee8 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/tests/SessionRecords/MaintenanceConfigurationTests/PublicMaintenanceConfigurationGetTest.json +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/tests/SessionRecords/MaintenanceConfigurationTests/PublicMaintenanceConfigurationGetTest.json @@ -67,8 +67,8 @@ "StatusCode": 201 }, { - "RequestUri": "/subscriptions/42c974dd-2c03-4f1b-96ad-b07f050aaa74/resourcegroups/maintenance_rg1854/providers/Microsoft.Maintenance/maintenanceConfigurations/maintenancesdk3255?api-version=2020-07-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvNDJjOTc0ZGQtMmMwMy00ZjFiLTk2YWQtYjA3ZjA1MGFhYTc0L3Jlc291cmNlZ3JvdXBzL21haW50ZW5hbmNlX3JnMTg1NC9wcm92aWRlcnMvTWljcm9zb2Z0Lk1haW50ZW5hbmNlL21haW50ZW5hbmNlQ29uZmlndXJhdGlvbnMvbWFpbnRlbmFuY2VzZGszMjU1P2FwaS12ZXJzaW9uPTIwMjAtMDctMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/42c974dd-2c03-4f1b-96ad-b07f050aaa74/resourcegroups/maintenance_rg1854/providers/Microsoft.Maintenance/maintenanceConfigurations/maintenancesdk3255?api-version=2021-05-01", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvNDJjOTc0ZGQtMmMwMy00ZjFiLTk2YWQtYjA3ZjA1MGFhYTc0L3Jlc291cmNlZ3JvdXBzL21haW50ZW5hbmNlX3JnMTg1NC9wcm92aWRlcnMvTWljcm9zb2Z0Lk1haW50ZW5hbmNlL21haW50ZW5hbmNlQ29uZmlndXJhdGlvbnMvbWFpbnRlbmFuY2VzZGszMjU1P2FwaS12ZXJzaW9uPTIwMjEtMDUtMDE=", "RequestMethod": "PUT", "RequestBody": "{\r\n \"location\": \"westus\",\r\n \"properties\": {\r\n \"maintenanceScope\": \"SQLDB\"\r\n }\r\n}", "RequestHeaders": { @@ -133,8 +133,8 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/42c974dd-2c03-4f1b-96ad-b07f050aaa74/providers/Microsoft.Maintenance/publicMaintenanceConfigurations/maintenancesdk3255?api-version=2020-07-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvNDJjOTc0ZGQtMmMwMy00ZjFiLTk2YWQtYjA3ZjA1MGFhYTc0L3Byb3ZpZGVycy9NaWNyb3NvZnQuTWFpbnRlbmFuY2UvcHVibGljTWFpbnRlbmFuY2VDb25maWd1cmF0aW9ucy9tYWludGVuYW5jZXNkazMyNTU/YXBpLXZlcnNpb249MjAyMC0wNy0wMS1wcmV2aWV3", + "RequestUri": "/subscriptions/42c974dd-2c03-4f1b-96ad-b07f050aaa74/providers/Microsoft.Maintenance/publicMaintenanceConfigurations/maintenancesdk3255?api-version=2021-05-01", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvNDJjOTc0ZGQtMmMwMy00ZjFiLTk2YWQtYjA3ZjA1MGFhYTc0L3Byb3ZpZGVycy9NaWNyb3NvZnQuTWFpbnRlbmFuY2UvcHVibGljTWFpbnRlbmFuY2VDb25maWd1cmF0aW9ucy9tYWludGVuYW5jZXNkazMyNTU/YXBpLXZlcnNpb249MjAyMS0wNS0wMQ==", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { diff --git a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/tests/SessionRecords/MaintenanceConfigurationTests/PublicMaintenanceConfigurationListTest.json b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/tests/SessionRecords/MaintenanceConfigurationTests/PublicMaintenanceConfigurationListTest.json index 249c499b6c93..1107c492af8b 100644 --- a/sdk/maintenance/Microsoft.Azure.Management.Maintenance/tests/SessionRecords/MaintenanceConfigurationTests/PublicMaintenanceConfigurationListTest.json +++ b/sdk/maintenance/Microsoft.Azure.Management.Maintenance/tests/SessionRecords/MaintenanceConfigurationTests/PublicMaintenanceConfigurationListTest.json @@ -67,8 +67,8 @@ "StatusCode": 201 }, { - "RequestUri": "/subscriptions/42c974dd-2c03-4f1b-96ad-b07f050aaa74/resourcegroups/maintenance_rg3136/providers/Microsoft.Maintenance/maintenanceConfigurations/maintenancesdk5989?api-version=2020-07-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvNDJjOTc0ZGQtMmMwMy00ZjFiLTk2YWQtYjA3ZjA1MGFhYTc0L3Jlc291cmNlZ3JvdXBzL21haW50ZW5hbmNlX3JnMzEzNi9wcm92aWRlcnMvTWljcm9zb2Z0Lk1haW50ZW5hbmNlL21haW50ZW5hbmNlQ29uZmlndXJhdGlvbnMvbWFpbnRlbmFuY2VzZGs1OTg5P2FwaS12ZXJzaW9uPTIwMjAtMDctMDEtcHJldmlldw==", + "RequestUri": "/subscriptions/42c974dd-2c03-4f1b-96ad-b07f050aaa74/resourcegroups/maintenance_rg3136/providers/Microsoft.Maintenance/maintenanceConfigurations/maintenancesdk5989?api-version=2021-05-01", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvNDJjOTc0ZGQtMmMwMy00ZjFiLTk2YWQtYjA3ZjA1MGFhYTc0L3Jlc291cmNlZ3JvdXBzL21haW50ZW5hbmNlX3JnMzEzNi9wcm92aWRlcnMvTWljcm9zb2Z0Lk1haW50ZW5hbmNlL21haW50ZW5hbmNlQ29uZmlndXJhdGlvbnMvbWFpbnRlbmFuY2VzZGs1OTg5P2FwaS12ZXJzaW9uPTIwMjEtMDUtMDE=", "RequestMethod": "PUT", "RequestBody": "{\r\n \"location\": \"westus\",\r\n \"properties\": {\r\n \"maintenanceWindow\":{ \"startDateTime\": \"2020-04-01 01:00:00\"\r\n },\r\n \"maintenanceScope\": \"Host\"\r\n }\r\n}", "RequestHeaders": { @@ -199,8 +199,8 @@ "StatusCode": 201 }, { - "RequestUri": "/subscriptions/42c974dd-2c03-4f1b-96ad-b07f050aaa74/resourcegroups/maintenance_rg6391/providers/Microsoft.Maintenance/maintenanceConfigurations/acinetsdk2792?api-version=2020-07-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvNDJjOTc0ZGQtMmMwMy00ZjFiLTk2YWQtYjA3ZjA1MGFhYTc0L3Jlc291cmNlZ3JvdXBzL21haW50ZW5hbmNlX3JnNjM5MS9wcm92aWRlcnMvTWljcm9zb2Z0Lk1haW50ZW5hbmNlL21haW50ZW5hbmNlQ29uZmlndXJhdGlvbnMvYWNpbmV0c2RrMjc5Mj9hcGktdmVyc2lvbj0yMDIwLTA3LTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/42c974dd-2c03-4f1b-96ad-b07f050aaa74/resourcegroups/maintenance_rg6391/providers/Microsoft.Maintenance/maintenanceConfigurations/acinetsdk2792?api-version=2021-05-01", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvNDJjOTc0ZGQtMmMwMy00ZjFiLTk2YWQtYjA3ZjA1MGFhYTc0L3Jlc291cmNlZ3JvdXBzL21haW50ZW5hbmNlX3JnNjM5MS9wcm92aWRlcnMvTWljcm9zb2Z0Lk1haW50ZW5hbmNlL21haW50ZW5hbmNlQ29uZmlndXJhdGlvbnMvYWNpbmV0c2RrMjc5Mj9hcGktdmVyc2lvbj0yMDIxLTA1LTAx", "RequestMethod": "PUT", "RequestBody": "{\r\n \"location\": \"westus\",\r\n \"properties\": {\r\n \"maintenanceWindow\":{ \"startDateTime\": \"2020-04-01 01:00:00\"\r\n },\r\n \"maintenanceScope\": \"Host\"\r\n }\r\n}", "RequestHeaders": { @@ -265,8 +265,8 @@ "StatusCode": 200 }, { - "RequestUri": "/subscriptions/42c974dd-2c03-4f1b-96ad-b07f050aaa74/providers/Microsoft.Maintenance/publicMaintenanceConfigurations?api-version=2020-07-01-preview", - "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvNDJjOTc0ZGQtMmMwMy00ZjFiLTk2YWQtYjA3ZjA1MGFhYTc0L3Byb3ZpZGVycy9NaWNyb3NvZnQuTWFpbnRlbmFuY2UvcHVibGljTWFpbnRlbmFuY2VDb25maWd1cmF0aW9ucz9hcGktdmVyc2lvbj0yMDIwLTA3LTAxLXByZXZpZXc=", + "RequestUri": "/subscriptions/42c974dd-2c03-4f1b-96ad-b07f050aaa74/providers/Microsoft.Maintenance/publicMaintenanceConfigurations?api-version=2021-05-01", + "EncodedRequestUri": "L3N1YnNjcmlwdGlvbnMvNDJjOTc0ZGQtMmMwMy00ZjFiLTk2YWQtYjA3ZjA1MGFhYTc0L3Byb3ZpZGVycy9NaWNyb3NvZnQuTWFpbnRlbmFuY2UvcHVibGljTWFpbnRlbmFuY2VDb25maWd1cmF0aW9ucz9hcGktdmVyc2lvbj0yMDIxLTA1LTAx", "RequestMethod": "GET", "RequestBody": "", "RequestHeaders": { From 499a5b2226b04ce9c771b312a2f2645de30643e7 Mon Sep 17 00:00:00 2001 From: Mariana Rios Flores Date: Mon, 3 May 2021 11:31:00 -0700 Subject: [PATCH 16/37] rename id and ID for identity (#20805) --- .../Azure.AI.FormRecognizer/CHANGELOG.md | 3 + .../Azure.AI.FormRecognizer/README.md | 14 +-- .../Azure.AI.FormRecognizer.netstandard2.0.cs | 18 +-- .../Azure.AI.FormRecognizer/samples/README.md | 4 +- ...=> Sample11_RecognizeIdentityDocuments.md} | 64 +++++----- .../src/FormRecognizerClient.cs | 118 +++++++++--------- ...=> RecognizeIdentityDocumentsOperation.cs} | 22 ++-- ...s => RecognizeIdentityDocumentsOptions.cs} | 10 +- ...=> RecognizeIdentityDocumentsLiveTests.cs} | 42 +++---- .../tests/Models/OperationsLiveTests.cs | 6 +- .../tests/Models/OperationsMockTests.cs | 10 +- ...cumentsOperationCanPollFromNewObject.json} | 0 ...tsOperationCanPollFromNewObjectAsync.json} | 0 ...tsCanAuthenticateWithTokenCredential.json} | 0 ...AuthenticateWithTokenCredentialAsync.json} | 0 ...zeIdentityDocumentsCanParseBlankPage.json} | 0 ...ntityDocumentsCanParseBlankPageAsync.json} | 0 ...tsFromUriThrowsForNonExistingContent.json} | 0 ...mUriThrowsForNonExistingContentAsync.json} | 0 ...dentityDocumentsIncludeFieldElements.json} | 0 ...tyDocumentsIncludeFieldElementsAsync.json} | 0 ...pulatesExtractedIdDocumentJpg(False).json} | 0 ...esExtractedIdDocumentJpg(False)Async.json} | 0 ...opulatesExtractedIdDocumentJpg(True).json} | 0 ...tesExtractedIdDocumentJpg(True)Async.json} | 0 ...dentityDocumentsThrowsForDamagedFile.json} | 0 ...tyDocumentsThrowsForDamagedFileAsync.json} | 0 ...e14_RecognizeIdentityDocumentsFromFile.cs} | 26 ++-- ...le14_RecognizeIdentityDocumentsFromUri.cs} | 26 ++-- 29 files changed, 183 insertions(+), 180 deletions(-) rename sdk/formrecognizer/Azure.AI.FormRecognizer/samples/{Sample11_RecognizeIdDocuments.md => Sample11_RecognizeIdentityDocuments.md} (68%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/src/{RecognizeIdDocumentsOperation.cs => RecognizeIdentityDocumentsOperation.cs} (92%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/src/{RecognizeIdDocumentsOptions.cs => RecognizeIdentityDocumentsOptions.cs} (90%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/{RecognizeIdDocumentsLiveTests.cs => RecognizeIdentityDocumentsLiveTests.cs} (77%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/OperationsLiveTests/{RecognizeIdDocumentsOperationCanPollFromNewObject.json => RecognizeIdentityDocumentsOperationCanPollFromNewObject.json} (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/OperationsLiveTests/{RecognizeIdDocumentsOperationCanPollFromNewObjectAsync.json => RecognizeIdentityDocumentsOperationCanPollFromNewObjectAsync.json} (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsCanAuthenticateWithTokenCredential.json => RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsCanAuthenticateWithTokenCredential.json} (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsCanAuthenticateWithTokenCredentialAsync.json => RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsCanAuthenticateWithTokenCredentialAsync.json} (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsCanParseBlankPage.json => RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsCanParseBlankPage.json} (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsCanParseBlankPageAsync.json => RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsCanParseBlankPageAsync.json} (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsFromUriThrowsForNonExistingContent.json => RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsFromUriThrowsForNonExistingContent.json} (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsFromUriThrowsForNonExistingContentAsync.json => RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsFromUriThrowsForNonExistingContentAsync.json} (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsIncludeFieldElements.json => RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsIncludeFieldElements.json} (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsIncludeFieldElementsAsync.json => RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsIncludeFieldElementsAsync.json} (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(False).json => RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsPopulatesExtractedIdDocumentJpg(False).json} (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(False)Async.json => RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsPopulatesExtractedIdDocumentJpg(False)Async.json} (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(True).json => RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsPopulatesExtractedIdDocumentJpg(True).json} (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(True)Async.json => RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsPopulatesExtractedIdDocumentJpg(True)Async.json} (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsThrowsForDamagedFile.json => RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsThrowsForDamagedFile.json} (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/{RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsThrowsForDamagedFileAsync.json => RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsThrowsForDamagedFileAsync.json} (100%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/samples/{Sample15_RecognizeIdDocumentsFromFile.cs => Sample14_RecognizeIdentityDocumentsFromFile.cs} (76%) rename sdk/formrecognizer/Azure.AI.FormRecognizer/tests/samples/{Sample15_RecognizeIdDocumentsFromUri.cs => Sample14_RecognizeIdentityDocumentsFromUri.cs} (76%) diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/CHANGELOG.md b/sdk/formrecognizer/Azure.AI.FormRecognizer/CHANGELOG.md index 616b19685537..809dcc0c2b6c 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/CHANGELOG.md +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/CHANGELOG.md @@ -5,6 +5,9 @@ ### New Features - Updated the `FormRecognizerModelFactory` class to support missing model types for mocking. +### Breaking changes +- Renamed `Id` for `Identity` in all the `StartRecognizeIdDocuments` functionalities. For example, the name of the method is now `StartRecognizeIdentityDocuments`. + ## 3.0.1 (2021-04-09) ### Key Bug Fixes diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/README.md b/sdk/formrecognizer/Azure.AI.FormRecognizer/README.md index 9558eb2734be..ae9b6408dcf4 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/README.md +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/README.md @@ -7,7 +7,7 @@ Azure Cognitive Services Form Recognizer is a cloud service that uses machine le - Receipts - Recognize and extract common fields from receipts, using a pre-trained receipt model. - Business Cards - Recognize and extract common fields from business cards, using a pre-trained business cards model. - Invoices - Recognize and extract common fields from invoices, using a pre-trained invoice model. - - Identity Documents - Recognize and extract common fields from identity documents like passports or driver's licenses, using a pre-trained ID documents model. + - Identity Documents - Recognize and extract common fields from identity documents like passports or driver's licenses, using a pre-trained identity documents model. [Source code][formreco_client_src] | [Package (NuGet)][formreco_nuget_package] | [API reference documentation][formreco_refdocs] | [Product documentation][formreco_docs] | [Samples][formreco_samples] @@ -124,7 +124,7 @@ Supported prebuilt models: - Receipts - Business cards - Invoices - - ID Documents + - Identity Documents ### FormTrainingClient @@ -269,7 +269,7 @@ Extract fields from certain types of common forms using prebuilt models provided - Sales receipts. See fields found on a receipt [here][service_recognize_receipt_fields]. - Business cards. See fields found on a business card [here][service_recognize_business_cards_fields]. - Invoices. See fields found on an invoice [here][service_recognize_invoices_fields]. -- ID documents. See fields found on an ID document [here][service_recognize_id_documents_fields]. +- Identity documents. See fields found on an identity document [here][service_recognize_identity_documents_fields]. For example, to extract fields from a sales receipt, use the prebuilt Receipt model provided by the `StartRecognizeReceiptsAsync` method: @@ -359,7 +359,7 @@ For more information and samples using prebuilt models see: - [Receipts sample][recognize_receipts]. - [Business Cards sample][recognize_business_cards]. - [Invoices][recognize_invoices]. -- [ID Documents][recognize_id_documents]. +- [Identity Documents][recognize_identity_documents]. ### Train a Model Train a machine-learned model on your own form types. The resulting model will be able to recognize values from the types of forms it was trained on. @@ -569,7 +569,7 @@ Samples showing how to use the Cognitive Services Form Recognizer library are av - [Recognize receipts][recognize_receipts] - [Recognize business cards][recognize_business_cards] - [Recognize invoices][recognize_invoices] -- [Recognize ID documents][recognize_id_documents] +- [Recognize identity documents][recognize_identity_documents] - [Train a model][train_a_model] - [Manage custom models][manage_custom_models] - [Copy a custom model between Form Recognizer resources][copy_custom_models] @@ -612,7 +612,7 @@ This project has adopted the [Microsoft Open Source Code of Conduct][code_of_con [service_recognize_receipt_fields]: https://aka.ms/formrecognizer/receiptfields [service_recognize_business_cards_fields]: https://aka.ms/formrecognizer/businesscardfields [service_recognize_invoices_fields]: https://aka.ms/formrecognizer/invoicefields -[service_recognize_id_documents_fields]: https://aka.ms/formrecognizer/iddocumentfields +[service_recognize_identity_documents_fields]: https://aka.ms/formrecognizer/iddocumentfields [dotnet_lro_guidelines]: https://azure.github.io/azure-sdk/dotnet_introduction.html#dotnet-longrunning [logging]: https://github.com/Azure/azure-sdk-for-net/tree/master/sdk/core/Azure.Core/samples/Diagnostics.md @@ -622,7 +622,7 @@ This project has adopted the [Microsoft Open Source Code of Conduct][code_of_con [recognize_receipts]: https://github.com/Azure/azure-sdk-for-net/tree/master/sdk/formrecognizer/Azure.AI.FormRecognizer/samples/Sample3_RecognizeReceipts.md [recognize_business_cards]: https://github.com/Azure/azure-sdk-for-net/blob/master/sdk/formrecognizer/Azure.AI.FormRecognizer/samples/Sample9_RecognizeBusinessCards.md [recognize_invoices]: https://github.com/Azure/azure-sdk-for-net/blob/master/sdk/formrecognizer/Azure.AI.FormRecognizer/samples/Sample10_RecognizeInvoices.md -[recognize_id_documents]: https://github.com/Azure/azure-sdk-for-net/blob/master/sdk/formrecognizer/Azure.AI.FormRecognizer/samples/Sample11_RecognizeIdDocuments.md +[recognize_identity_documents]: https://github.com/Azure/azure-sdk-for-net/blob/master/sdk/formrecognizer/Azure.AI.FormRecognizer/samples/Sample11_RecognizeIdentityDocuments.md [train_a_model]: https://github.com/Azure/azure-sdk-for-net/tree/master/sdk/formrecognizer/Azure.AI.FormRecognizer/samples/Sample5_TrainModel.md [manage_custom_models]: https://github.com/Azure/azure-sdk-for-net/tree/master/sdk/formrecognizer/Azure.AI.FormRecognizer/samples/Sample6_ManageCustomModels.md [copy_custom_models]: https://github.com/Azure/azure-sdk-for-net/tree/master/sdk/formrecognizer/Azure.AI.FormRecognizer/samples/Sample7_CopyCustomModel.md diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/api/Azure.AI.FormRecognizer.netstandard2.0.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/api/Azure.AI.FormRecognizer.netstandard2.0.cs index 89a4d02e411b..485e2e6c6db7 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/api/Azure.AI.FormRecognizer.netstandard2.0.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/api/Azure.AI.FormRecognizer.netstandard2.0.cs @@ -28,10 +28,10 @@ public FormRecognizerClient(System.Uri endpoint, Azure.Core.TokenCredential cred public virtual System.Threading.Tasks.Task StartRecognizeCustomFormsAsync(string modelId, System.IO.Stream form, Azure.AI.FormRecognizer.RecognizeCustomFormsOptions recognizeCustomFormsOptions = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual Azure.AI.FormRecognizer.Models.RecognizeCustomFormsOperation StartRecognizeCustomFormsFromUri(string modelId, System.Uri formUri, Azure.AI.FormRecognizer.RecognizeCustomFormsOptions recognizeCustomFormsOptions = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual System.Threading.Tasks.Task StartRecognizeCustomFormsFromUriAsync(string modelId, System.Uri formUri, Azure.AI.FormRecognizer.RecognizeCustomFormsOptions recognizeCustomFormsOptions = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.AI.FormRecognizer.Models.RecognizeIdDocumentsOperation StartRecognizeIdDocuments(System.IO.Stream idDocument, Azure.AI.FormRecognizer.RecognizeIdDocumentsOptions recognizeIdDocumentsOptions = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task StartRecognizeIdDocumentsAsync(System.IO.Stream idDocument, Azure.AI.FormRecognizer.RecognizeIdDocumentsOptions recognizeIdDocumentsOptions = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.AI.FormRecognizer.Models.RecognizeIdDocumentsOperation StartRecognizeIdDocumentsFromUri(System.Uri idDocumentUri, Azure.AI.FormRecognizer.RecognizeIdDocumentsOptions recognizeIdDocumentsOptions = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task StartRecognizeIdDocumentsFromUriAsync(System.Uri idDocumentUri, Azure.AI.FormRecognizer.RecognizeIdDocumentsOptions recognizeIdDocumentsOptions = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.AI.FormRecognizer.Models.RecognizeIdentityDocumentsOperation StartRecognizeIdentityDocuments(System.IO.Stream identityDocument, Azure.AI.FormRecognizer.RecognizeIdentityDocumentsOptions recognizeIdentityDocumentsOptions = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task StartRecognizeIdentityDocumentsAsync(System.IO.Stream identityDocument, Azure.AI.FormRecognizer.RecognizeIdentityDocumentsOptions recognizeIdentityDocumentsOptions = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.AI.FormRecognizer.Models.RecognizeIdentityDocumentsOperation StartRecognizeIdentityDocumentsFromUri(System.Uri identityDocumentUri, Azure.AI.FormRecognizer.RecognizeIdentityDocumentsOptions recognizeIdentityDocumentsOptions = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task StartRecognizeIdentityDocumentsFromUriAsync(System.Uri identityDocumentUri, Azure.AI.FormRecognizer.RecognizeIdentityDocumentsOptions recognizeIdentityDocumentsOptions = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual Azure.AI.FormRecognizer.Models.RecognizeInvoicesOperation StartRecognizeInvoices(System.IO.Stream invoice, Azure.AI.FormRecognizer.RecognizeInvoicesOptions recognizeInvoicesOptions = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual System.Threading.Tasks.Task StartRecognizeInvoicesAsync(System.IO.Stream invoice, Azure.AI.FormRecognizer.RecognizeInvoicesOptions recognizeInvoicesOptions = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual Azure.AI.FormRecognizer.Models.RecognizeInvoicesOperation StartRecognizeInvoicesFromUri(System.Uri invoiceUri, Azure.AI.FormRecognizer.RecognizeInvoicesOptions recognizeInvoicesOptions = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } @@ -200,9 +200,9 @@ public RecognizeCustomFormsOptions() { } public bool IncludeFieldElements { get { throw null; } set { } } public System.Collections.Generic.IList Pages { get { throw null; } } } - public partial class RecognizeIdDocumentsOptions + public partial class RecognizeIdentityDocumentsOptions { - public RecognizeIdDocumentsOptions() { } + public RecognizeIdentityDocumentsOptions() { } public Azure.AI.FormRecognizer.FormContentType? ContentType { get { throw null; } set { } } public bool IncludeFieldElements { get { throw null; } set { } } public System.Collections.Generic.IList Pages { get { throw null; } } @@ -498,10 +498,10 @@ public partial class RecognizedFormCollection : System.Collections.ObjectModel.R { internal RecognizedFormCollection() : base (default(System.Collections.Generic.IList)) { } } - public partial class RecognizeIdDocumentsOperation : Azure.Operation + public partial class RecognizeIdentityDocumentsOperation : Azure.Operation { - protected RecognizeIdDocumentsOperation() { } - public RecognizeIdDocumentsOperation(string operationId, Azure.AI.FormRecognizer.FormRecognizerClient client) { } + protected RecognizeIdentityDocumentsOperation() { } + public RecognizeIdentityDocumentsOperation(string operationId, Azure.AI.FormRecognizer.FormRecognizerClient client) { } public override bool HasCompleted { get { throw null; } } public override bool HasValue { get { throw null; } } public override string Id { get { throw null; } } diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/samples/README.md b/sdk/formrecognizer/Azure.AI.FormRecognizer/samples/README.md index 7fea107b9ebf..7bbc8a155451 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/samples/README.md +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/samples/README.md @@ -19,7 +19,7 @@ Azure Cognitive Services Form Recognizer is a cloud service that uses machine le - Receipts - Recognize and extract common fields from receipts, using a pre-trained receipt model. - Business Cards - Recognize and extract common fields from business cards, using a pre-trained business cards model. - Invoices - Recognize and extract common fields from invoices, using a pre-trained invoice model. - - Identity Documents - Recognize and extract common fields from identity documents like passports or driver's licenses, using a pre-trained ID documents model. + - Identity Documents - Recognize and extract common fields from identity documents like passports or driver's licenses, using a pre-trained identity documents model. ## Common scenarios samples - [Recognize form content](https://github.com/Azure/azure-sdk-for-net/tree/master/sdk/formrecognizer/Azure.AI.FormRecognizer/samples/Sample1_RecognizeFormContent.md) @@ -27,7 +27,7 @@ Azure Cognitive Services Form Recognizer is a cloud service that uses machine le - [Recognize receipts](https://github.com/Azure/azure-sdk-for-net/tree/master/sdk/formrecognizer/Azure.AI.FormRecognizer/samples/Sample3_RecognizeReceipts.md) - [Recognize business cards](https://github.com/Azure/azure-sdk-for-net/blob/master/sdk/formrecognizer/Azure.AI.FormRecognizer/samples/Sample9_RecognizeBusinessCards.md) - [Recognize invoices](https://github.com/Azure/azure-sdk-for-net/blob/master/sdk/formrecognizer/Azure.AI.FormRecognizer/samples/Sample10_RecognizeInvoices.md) -- [Recognize ID documents](https://github.com/Azure/azure-sdk-for-net/blob/master/sdk/formrecognizer/Azure.AI.FormRecognizer/samples/Sample11_RecognizeIdDocuments.md) +- [Recognize identity documents](https://github.com/Azure/azure-sdk-for-net/blob/master/sdk/formrecognizer/Azure.AI.FormRecognizer/samples/Sample11_RecognizeIdentityDocuments.md) - [Train a model](https://github.com/Azure/azure-sdk-for-net/tree/master/sdk/formrecognizer/Azure.AI.FormRecognizer/samples/Sample5_TrainModel.md) - [Manage custom models](https://github.com/Azure/azure-sdk-for-net/tree/master/sdk/formrecognizer/Azure.AI.FormRecognizer/samples/Sample6_ManageCustomModels.md) diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/samples/Sample11_RecognizeIdDocuments.md b/sdk/formrecognizer/Azure.AI.FormRecognizer/samples/Sample11_RecognizeIdentityDocuments.md similarity index 68% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/samples/Sample11_RecognizeIdDocuments.md rename to sdk/formrecognizer/Azure.AI.FormRecognizer/samples/Sample11_RecognizeIdentityDocuments.md index 084528da757d..1c164b865955 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/samples/Sample11_RecognizeIdDocuments.md +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/samples/Sample11_RecognizeIdentityDocuments.md @@ -1,6 +1,6 @@ -# Recognize ID Documents +# Recognize Identity Documents -This sample demonstrates how to recognize and extract common fields from ID documents, using a pre-trained model. For a suggested approach to extracting information from ID documents, see [strongly-typing a recognized form][strongly_typing_a_recognized_form]. +This sample demonstrates how to recognize and extract common fields from identity documents, using a pre-trained model. For a suggested approach to extracting information from identity documents, see [strongly-typing a recognized form][strongly_typing_a_recognized_form]. To get started you'll need a Cognitive Services resource or a Form Recognizer resource. See [README][README] for prerequisites and instructions. @@ -17,25 +17,25 @@ var credential = new AzureKeyCredential(apiKey); var client = new FormRecognizerClient(new Uri(endpoint), credential); ``` -## Recognize ID documents from a URI +## Recognize identity documents from a URI -To recognize ID documents from a URI, use the `StartRecognizeIdDocumentsFromUriAsync` method. +To recognize identity documents from a URI, use the `StartRecognizeIdentityDocumentsFromUriAsync` method. For simplicity, we are not showing all the fields that the service returns. To see the list of all the supported fields returned by service and its corresponding types, consult: [here](https://aka.ms/formrecognizer/iddocumentfields). -```C# Snippet:FormRecognizerSampleRecognizeIdDocumentsUri +```C# Snippet:FormRecognizerSampleRecognizeIdentityDocumentsUri Uri sourceUri = ""; -RecognizeIdDocumentsOperation operation = await client.StartRecognizeIdDocumentsFromUriAsync(sourceUri); +RecognizeIdentityDocumentsOperation operation = await client.StartRecognizeIdentityDocumentsFromUriAsync(sourceUri); Response operationResponse = await operation.WaitForCompletionAsync(); -RecognizedFormCollection idDocuments = operationResponse.Value; +RecognizedFormCollection identityDocuments = operationResponse.Value; // To see the list of all the supported fields returned by service and its corresponding types, consult: // https://aka.ms/formrecognizer/iddocumentfields -RecognizedForm idDocument = idDocuments.Single(); +RecognizedForm identityDocument = identityDocuments.Single(); -if (idDocument.Fields.TryGetValue("Address", out FormField addressField)) +if (identityDocument.Fields.TryGetValue("Address", out FormField addressField)) { if (addressField.Value.ValueType == FieldValueType.String) { @@ -44,7 +44,7 @@ if (idDocument.Fields.TryGetValue("Address", out FormField addressField)) } } -if (idDocument.Fields.TryGetValue("Country", out FormField countryField)) +if (identityDocument.Fields.TryGetValue("Country", out FormField countryField)) { if (countryField.Value.ValueType == FieldValueType.Country) { @@ -53,7 +53,7 @@ if (idDocument.Fields.TryGetValue("Country", out FormField countryField)) } } -if (idDocument.Fields.TryGetValue("DateOfBirth", out FormField dateOfBirthField)) +if (identityDocument.Fields.TryGetValue("DateOfBirth", out FormField dateOfBirthField)) { if (dateOfBirthField.Value.ValueType == FieldValueType.Date) { @@ -62,7 +62,7 @@ if (idDocument.Fields.TryGetValue("DateOfBirth", out FormField dateOfBirthField) } } -if (idDocument.Fields.TryGetValue("DateOfExpiration", out FormField dateOfExpirationField)) +if (identityDocument.Fields.TryGetValue("DateOfExpiration", out FormField dateOfExpirationField)) { if (dateOfExpirationField.Value.ValueType == FieldValueType.Date) { @@ -71,7 +71,7 @@ if (idDocument.Fields.TryGetValue("DateOfExpiration", out FormField dateOfExpira } } -if (idDocument.Fields.TryGetValue("DocumentNumber", out FormField documentNumberField)) +if (identityDocument.Fields.TryGetValue("DocumentNumber", out FormField documentNumberField)) { if (documentNumberField.Value.ValueType == FieldValueType.String) { @@ -80,7 +80,7 @@ if (idDocument.Fields.TryGetValue("DocumentNumber", out FormField documentNumber } } -if (idDocument.Fields.TryGetValue("FirstName", out FormField firstNameField)) +if (identityDocument.Fields.TryGetValue("FirstName", out FormField firstNameField)) { if (firstNameField.Value.ValueType == FieldValueType.String) { @@ -89,7 +89,7 @@ if (idDocument.Fields.TryGetValue("FirstName", out FormField firstNameField)) } } -if (idDocument.Fields.TryGetValue("LastName", out FormField lastNameField)) +if (identityDocument.Fields.TryGetValue("LastName", out FormField lastNameField)) { if (lastNameField.Value.ValueType == FieldValueType.String) { @@ -98,7 +98,7 @@ if (idDocument.Fields.TryGetValue("LastName", out FormField lastNameField)) } } -if (idDocument.Fields.TryGetValue("Region", out FormField regionfield)) +if (identityDocument.Fields.TryGetValue("Region", out FormField regionfield)) { if (regionfield.Value.ValueType == FieldValueType.String) { @@ -108,27 +108,27 @@ if (idDocument.Fields.TryGetValue("Region", out FormField regionfield)) } ``` -## Recognize ID documents from a given file +## Recognize identity documents from a given file -To recognize ID documents from a given file, use the `StartRecognizeIdDocumentsAsync` method. +To recognize identity documents from a given file, use the `StartRecognizeIdentityDocumentsAsync` method. For simplicity, we are not showing all the fields that the service returns. To see the list of all the supported fields returned by service and its corresponding types, consult: [here](https://aka.ms/formrecognizer/iddocumentfields). -```C# Snippet:FormRecognizerSampleRecognizeIdDocumentsFileStream +```C# Snippet:FormRecognizerSampleRecognizeIdentityDocumentsFileStream string sourcePath = ""; using var stream = new FileStream(sourcePath, FileMode.Open); -RecognizeIdDocumentsOperation operation = await client.StartRecognizeIdDocumentsAsync(stream); +RecognizeIdentityDocumentsOperation operation = await client.StartRecognizeIdentityDocumentsAsync(stream); Response operationResponse = await operation.WaitForCompletionAsync(); -RecognizedFormCollection idDocuments = operationResponse.Value; +RecognizedFormCollection identityDocuments = operationResponse.Value; // To see the list of all the supported fields returned by service and its corresponding types, consult: // https://aka.ms/formrecognizer/iddocumentfields -RecognizedForm idDocument = idDocuments.Single(); +RecognizedForm identityDocument = identityDocuments.Single(); -if (idDocument.Fields.TryGetValue("Address", out FormField addressField)) +if (identityDocument.Fields.TryGetValue("Address", out FormField addressField)) { if (addressField.Value.ValueType == FieldValueType.String) { @@ -137,7 +137,7 @@ if (idDocument.Fields.TryGetValue("Address", out FormField addressField)) } } -if (idDocument.Fields.TryGetValue("Country", out FormField countryField)) +if (identityDocument.Fields.TryGetValue("Country", out FormField countryField)) { if (countryField.Value.ValueType == FieldValueType.Country) { @@ -146,7 +146,7 @@ if (idDocument.Fields.TryGetValue("Country", out FormField countryField)) } } -if (idDocument.Fields.TryGetValue("DateOfBirth", out FormField dateOfBirthField)) +if (identityDocument.Fields.TryGetValue("DateOfBirth", out FormField dateOfBirthField)) { if (dateOfBirthField.Value.ValueType == FieldValueType.Date) { @@ -155,7 +155,7 @@ if (idDocument.Fields.TryGetValue("DateOfBirth", out FormField dateOfBirthField) } } -if (idDocument.Fields.TryGetValue("DateOfExpiration", out FormField dateOfExpirationField)) +if (identityDocument.Fields.TryGetValue("DateOfExpiration", out FormField dateOfExpirationField)) { if (dateOfExpirationField.Value.ValueType == FieldValueType.Date) { @@ -164,7 +164,7 @@ if (idDocument.Fields.TryGetValue("DateOfExpiration", out FormField dateOfExpira } } -if (idDocument.Fields.TryGetValue("DocumentNumber", out FormField documentNumberField)) +if (identityDocument.Fields.TryGetValue("DocumentNumber", out FormField documentNumberField)) { if (documentNumberField.Value.ValueType == FieldValueType.String) { @@ -173,7 +173,7 @@ if (idDocument.Fields.TryGetValue("DocumentNumber", out FormField documentNumber } } -if (idDocument.Fields.TryGetValue("FirstName", out FormField firstNameField)) +if (identityDocument.Fields.TryGetValue("FirstName", out FormField firstNameField)) { if (firstNameField.Value.ValueType == FieldValueType.String) { @@ -182,7 +182,7 @@ if (idDocument.Fields.TryGetValue("FirstName", out FormField firstNameField)) } } -if (idDocument.Fields.TryGetValue("LastName", out FormField lastNameField)) +if (identityDocument.Fields.TryGetValue("LastName", out FormField lastNameField)) { if (lastNameField.Value.ValueType == FieldValueType.String) { @@ -191,7 +191,7 @@ if (idDocument.Fields.TryGetValue("LastName", out FormField lastNameField)) } } -if (idDocument.Fields.TryGetValue("Region", out FormField regionfield)) +if (identityDocument.Fields.TryGetValue("Region", out FormField regionfield)) { if (regionfield.Value.ValueType == FieldValueType.String) { @@ -203,8 +203,8 @@ if (idDocument.Fields.TryGetValue("Region", out FormField regionfield)) To see the full example source files, see: -* [Recognize ID documents from URI](https://github.com/Azure/azure-sdk-for-net/blob/master/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/samples/Sample15_RecognizeIdDocumentsFromUri.cs) -* [Recognize ID documents from file](https://github.com/Azure/azure-sdk-for-net/blob/master/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/samples/Sample15_RecognizeIdDocumentsFromFile.cs) +* [Recognize identity documents from URI](https://github.com/Azure/azure-sdk-for-net/blob/master/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/samples/Sample14_RecognizeIdentityDocumentsFromUri.cs) +* [Recognize identity documents from file](https://github.com/Azure/azure-sdk-for-net/blob/master/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/samples/Sample14_RecognizeIdentityDocumentsFromFile.cs) [README]: https://github.com/Azure/azure-sdk-for-net/tree/master/sdk/formrecognizer/Azure.AI.FormRecognizer#getting-started [strongly_typing_a_recognized_form]: https://github.com/Azure/azure-sdk-for-net/tree/master/sdk/formrecognizer/Azure.AI.FormRecognizer/samples/Sample4_StronglyTypingARecognizedForm.md \ No newline at end of file diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/FormRecognizerClient.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/FormRecognizerClient.cs index fe5676461e8b..147e1c89b83d 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/FormRecognizerClient.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/FormRecognizerClient.cs @@ -765,41 +765,41 @@ public virtual RecognizeInvoicesOperation StartRecognizeInvoicesFromUri(Uri invo } #endregion - #region ID Documents + #region Identity Documents /// - /// Analyze ID documents using optical character recognition (OCR) and a prebuilt model trained on ID documents + /// Analyze identity documents using optical character recognition (OCR) and a prebuilt model trained on identity documents /// to extract key information from passports and US driver licenses. - /// See for a list of available fields on an ID document. + /// See for a list of available fields on an identity document. /// - /// The stream containing the one or more ID documents to recognize values from. - /// A set of options available for configuring the recognize request. For example, specify the content type of the + /// The stream containing the one or more identity documents to recognize values from. + /// A set of options available for configuring the recognize request. For example, specify the content type of the /// form, or whether or not to include form elements. /// A controlling the request lifetime. - /// A to wait on this long-running operation. Its upon successful - /// completion will contain the extracted ID document information. - public virtual async Task StartRecognizeIdDocumentsAsync(Stream idDocument, RecognizeIdDocumentsOptions recognizeIdDocumentsOptions = default, CancellationToken cancellationToken = default) + /// A to wait on this long-running operation. Its upon successful + /// completion will contain the extracted identity document information. + public virtual async Task StartRecognizeIdentityDocumentsAsync(Stream identityDocument, RecognizeIdentityDocumentsOptions recognizeIdentityDocumentsOptions = default, CancellationToken cancellationToken = default) { - Argument.AssertNotNull(idDocument, nameof(idDocument)); + Argument.AssertNotNull(identityDocument, nameof(identityDocument)); - recognizeIdDocumentsOptions ??= new RecognizeIdDocumentsOptions(); + recognizeIdentityDocumentsOptions ??= new RecognizeIdentityDocumentsOptions(); - using DiagnosticScope scope = Diagnostics.CreateScope($"{nameof(FormRecognizerClient)}.{nameof(StartRecognizeIdDocuments)}"); + using DiagnosticScope scope = Diagnostics.CreateScope($"{nameof(FormRecognizerClient)}.{nameof(StartRecognizeIdentityDocuments)}"); scope.Start(); try { - FormContentType formContentType = recognizeIdDocumentsOptions.ContentType ?? DetectContentType(idDocument, nameof(idDocument)); + FormContentType formContentType = recognizeIdentityDocumentsOptions.ContentType ?? DetectContentType(identityDocument, nameof(identityDocument)); Response response = await ServiceClient.AnalyzeIdDocumentAsyncAsync( formContentType, - recognizeIdDocumentsOptions.IncludeFieldElements, - recognizeIdDocumentsOptions.Pages.Count == 0 ? null : recognizeIdDocumentsOptions.Pages, - idDocument, + recognizeIdentityDocumentsOptions.IncludeFieldElements, + recognizeIdentityDocumentsOptions.Pages.Count == 0 ? null : recognizeIdentityDocumentsOptions.Pages, + identityDocument, cancellationToken).ConfigureAwait(false); string location = ClientCommon.GetResponseHeader(response.Headers, Constants.OperationLocationHeader); - return new RecognizeIdDocumentsOperation(ServiceClient, Diagnostics, location); + return new RecognizeIdentityDocumentsOperation(ServiceClient, Diagnostics, location); } catch (Exception e) { @@ -809,38 +809,38 @@ public virtual async Task StartRecognizeIdDocumen } /// - /// Analyze ID documents using optical character recognition (OCR) and a prebuilt model trained on ID documents + /// Analyze identity documents using optical character recognition (OCR) and a prebuilt model trained on identity documents /// to extract key information from passports and US driver licenses. - /// See for a list of available fields on an ID document. + /// See for a list of available fields on an identity document. /// - /// The stream containing the one or more ID documents to recognize values from. - /// A set of options available for configuring the recognize request. For example, specify the content type of the + /// The stream containing the one or more identity documents to recognize values from. + /// A set of options available for configuring the recognize request. For example, specify the content type of the /// form, or whether or not to include form elements. /// A controlling the request lifetime. - /// A to wait on this long-running operation. Its upon successful - /// completion will contain the extracted ID document information. - public virtual RecognizeIdDocumentsOperation StartRecognizeIdDocuments(Stream idDocument, RecognizeIdDocumentsOptions recognizeIdDocumentsOptions = default, CancellationToken cancellationToken = default) + /// A to wait on this long-running operation. Its upon successful + /// completion will contain the extracted identity document information. + public virtual RecognizeIdentityDocumentsOperation StartRecognizeIdentityDocuments(Stream identityDocument, RecognizeIdentityDocumentsOptions recognizeIdentityDocumentsOptions = default, CancellationToken cancellationToken = default) { - Argument.AssertNotNull(idDocument, nameof(idDocument)); + Argument.AssertNotNull(identityDocument, nameof(identityDocument)); - recognizeIdDocumentsOptions ??= new RecognizeIdDocumentsOptions(); + recognizeIdentityDocumentsOptions ??= new RecognizeIdentityDocumentsOptions(); - using DiagnosticScope scope = Diagnostics.CreateScope($"{nameof(FormRecognizerClient)}.{nameof(StartRecognizeIdDocuments)}"); + using DiagnosticScope scope = Diagnostics.CreateScope($"{nameof(FormRecognizerClient)}.{nameof(StartRecognizeIdentityDocuments)}"); scope.Start(); try { - FormContentType formContentType = recognizeIdDocumentsOptions.ContentType ?? DetectContentType(idDocument, nameof(idDocument)); + FormContentType formContentType = recognizeIdentityDocumentsOptions.ContentType ?? DetectContentType(identityDocument, nameof(identityDocument)); Response response = ServiceClient.AnalyzeIdDocumentAsync( formContentType, - recognizeIdDocumentsOptions.IncludeFieldElements, - recognizeIdDocumentsOptions.Pages.Count == 0 ? null : recognizeIdDocumentsOptions.Pages, - idDocument, + recognizeIdentityDocumentsOptions.IncludeFieldElements, + recognizeIdentityDocumentsOptions.Pages.Count == 0 ? null : recognizeIdentityDocumentsOptions.Pages, + identityDocument, cancellationToken); string location = ClientCommon.GetResponseHeader(response.Headers, Constants.OperationLocationHeader); - return new RecognizeIdDocumentsOperation(ServiceClient, Diagnostics, location); + return new RecognizeIdentityDocumentsOperation(ServiceClient, Diagnostics, location); } catch (Exception e) { @@ -850,36 +850,36 @@ public virtual RecognizeIdDocumentsOperation StartRecognizeIdDocuments(Stream id } /// - /// Analyze ID documents using optical character recognition (OCR) and a prebuilt model trained on ID documents + /// Analyze identity documents using optical character recognition (OCR) and a prebuilt model trained on identity documents /// to extract key information from passports and US driver licenses. - /// See for a list of available fields on an ID document. + /// See for a list of available fields on an identity document. /// - /// The absolute URI of the remote file to recognize values from. - /// A set of options available for configuring the recognize request. For example, specify the content type of the + /// The absolute URI of the remote file to recognize values from. + /// A set of options available for configuring the recognize request. For example, specify the content type of the /// form, or whether or not to include form elements. /// A controlling the request lifetime. - /// A to wait on this long-running operation. Its upon successful - /// completion will contain the extracted ID document information. - public virtual async Task StartRecognizeIdDocumentsFromUriAsync(Uri idDocumentUri, RecognizeIdDocumentsOptions recognizeIdDocumentsOptions = default, CancellationToken cancellationToken = default) + /// A to wait on this long-running operation. Its upon successful + /// completion will contain the extracted identity document information. + public virtual async Task StartRecognizeIdentityDocumentsFromUriAsync(Uri identityDocumentUri, RecognizeIdentityDocumentsOptions recognizeIdentityDocumentsOptions = default, CancellationToken cancellationToken = default) { - Argument.AssertNotNull(idDocumentUri, nameof(idDocumentUri)); + Argument.AssertNotNull(identityDocumentUri, nameof(identityDocumentUri)); - recognizeIdDocumentsOptions ??= new RecognizeIdDocumentsOptions(); + recognizeIdentityDocumentsOptions ??= new RecognizeIdentityDocumentsOptions(); - using DiagnosticScope scope = Diagnostics.CreateScope($"{nameof(FormRecognizerClient)}.{nameof(StartRecognizeIdDocumentsFromUri)}"); + using DiagnosticScope scope = Diagnostics.CreateScope($"{nameof(FormRecognizerClient)}.{nameof(StartRecognizeIdentityDocumentsFromUri)}"); scope.Start(); try { - SourcePath sourcePath = new SourcePath() { Source = idDocumentUri.AbsoluteUri }; + SourcePath sourcePath = new SourcePath() { Source = identityDocumentUri.AbsoluteUri }; Response response = await ServiceClient.AnalyzeIdDocumentAsyncAsync( - recognizeIdDocumentsOptions.IncludeFieldElements, - recognizeIdDocumentsOptions.Pages.Count == 0 ? null : recognizeIdDocumentsOptions.Pages, + recognizeIdentityDocumentsOptions.IncludeFieldElements, + recognizeIdentityDocumentsOptions.Pages.Count == 0 ? null : recognizeIdentityDocumentsOptions.Pages, sourcePath, cancellationToken).ConfigureAwait(false); string location = ClientCommon.GetResponseHeader(response.Headers, Constants.OperationLocationHeader); - return new RecognizeIdDocumentsOperation(ServiceClient, Diagnostics, location); + return new RecognizeIdentityDocumentsOperation(ServiceClient, Diagnostics, location); } catch (Exception e) { @@ -889,36 +889,36 @@ public virtual async Task StartRecognizeIdDocumen } /// - /// Analyze ID documents using optical character recognition (OCR) and a prebuilt model trained on ID documents + /// Analyze identity documents using optical character recognition (OCR) and a prebuilt model trained on identity documents /// to extract key information from passports and US driver licenses. - /// See for a list of available fields on an ID document. + /// See for a list of available fields on an identity document. /// - /// The absolute URI of the remote file to recognize values from. - /// A set of options available for configuring the recognize request. For example, specify the content type of the + /// The absolute URI of the remote file to recognize values from. + /// A set of options available for configuring the recognize request. For example, specify the content type of the /// form, or whether or not to include form elements. /// A controlling the request lifetime. - /// A to wait on this long-running operation. Its upon successful - /// completion will contain the extracted ID document information. - public virtual RecognizeIdDocumentsOperation StartRecognizeIdDocumentsFromUri(Uri idDocumentUri, RecognizeIdDocumentsOptions recognizeIdDocumentsOptions = default, CancellationToken cancellationToken = default) + /// A to wait on this long-running operation. Its upon successful + /// completion will contain the extracted identity document information. + public virtual RecognizeIdentityDocumentsOperation StartRecognizeIdentityDocumentsFromUri(Uri identityDocumentUri, RecognizeIdentityDocumentsOptions recognizeIdentityDocumentsOptions = default, CancellationToken cancellationToken = default) { - Argument.AssertNotNull(idDocumentUri, nameof(idDocumentUri)); + Argument.AssertNotNull(identityDocumentUri, nameof(identityDocumentUri)); - recognizeIdDocumentsOptions ??= new RecognizeIdDocumentsOptions(); + recognizeIdentityDocumentsOptions ??= new RecognizeIdentityDocumentsOptions(); - using DiagnosticScope scope = Diagnostics.CreateScope($"{nameof(FormRecognizerClient)}.{nameof(StartRecognizeIdDocumentsFromUri)}"); + using DiagnosticScope scope = Diagnostics.CreateScope($"{nameof(FormRecognizerClient)}.{nameof(StartRecognizeIdentityDocumentsFromUri)}"); scope.Start(); try { - SourcePath sourcePath = new SourcePath() { Source = idDocumentUri.AbsoluteUri }; + SourcePath sourcePath = new SourcePath() { Source = identityDocumentUri.AbsoluteUri }; Response response = ServiceClient.AnalyzeIdDocumentAsync( - recognizeIdDocumentsOptions.IncludeFieldElements, - recognizeIdDocumentsOptions.Pages.Count == 0 ? null : recognizeIdDocumentsOptions.Pages, + recognizeIdentityDocumentsOptions.IncludeFieldElements, + recognizeIdentityDocumentsOptions.Pages.Count == 0 ? null : recognizeIdentityDocumentsOptions.Pages, sourcePath, cancellationToken); string location = ClientCommon.GetResponseHeader(response.Headers, Constants.OperationLocationHeader); - return new RecognizeIdDocumentsOperation(ServiceClient, Diagnostics, location); + return new RecognizeIdentityDocumentsOperation(ServiceClient, Diagnostics, location); } catch (Exception e) { diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/RecognizeIdDocumentsOperation.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/RecognizeIdentityDocumentsOperation.cs similarity index 92% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/src/RecognizeIdDocumentsOperation.cs rename to sdk/formrecognizer/Azure.AI.FormRecognizer/src/RecognizeIdentityDocumentsOperation.cs index f7ac792b2730..2ec4f77357e4 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/RecognizeIdDocumentsOperation.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/RecognizeIdentityDocumentsOperation.cs @@ -11,9 +11,9 @@ namespace Azure.AI.FormRecognizer.Models { /// - /// Tracks the status of a long-running operation for recognizing values from ID documents. + /// Tracks the status of a long-running operation for recognizing values from identity documents. /// - public class RecognizeIdDocumentsOperation : Operation + public class RecognizeIdentityDocumentsOperation : Operation { /// Provides communication with the Form Recognizer Azure Cognitive Service through its REST API. private readonly FormRecognizerRestClient _serviceClient; @@ -72,18 +72,18 @@ public override RecognizedFormCollection Value /// /// /// The last response returned from the server during the lifecycle of this instance. - /// An instance of sends requests to a server in UpdateStatusAsync, UpdateStatus, and other methods. + /// An instance of sends requests to a server in UpdateStatusAsync, UpdateStatus, and other methods. /// Responses from these requests can be accessed using GetRawResponse. /// public override Response GetRawResponse() => _response; /// - /// Initializes a new instance of the class which - /// tracks the status of a long-running operation for recognizing values from ID documents. + /// Initializes a new instance of the class which + /// tracks the status of a long-running operation for recognizing values from identity documents. /// /// The ID of this operation. /// The client used to check for completion. - public RecognizeIdDocumentsOperation(string operationId, FormRecognizerClient client) + public RecognizeIdentityDocumentsOperation(string operationId, FormRecognizerClient client) { Argument.AssertNotNull(client, nameof(client)); @@ -93,12 +93,12 @@ public RecognizeIdDocumentsOperation(string operationId, FormRecognizerClient cl } /// - /// Initializes a new instance of the class. + /// Initializes a new instance of the class. /// /// The client for communicating with the Form Recognizer Azure Cognitive Service through its REST API. /// The client diagnostics for exception creation in case of failure. /// The address of the long-running operation. It can be obtained from the response headers upon starting the operation. - internal RecognizeIdDocumentsOperation(FormRecognizerRestClient serviceClient, ClientDiagnostics diagnostics, string operationLocation) + internal RecognizeIdentityDocumentsOperation(FormRecognizerRestClient serviceClient, ClientDiagnostics diagnostics, string operationLocation) { _serviceClient = serviceClient; _diagnostics = diagnostics; @@ -109,10 +109,10 @@ internal RecognizeIdDocumentsOperation(FormRecognizerRestClient serviceClient, C } /// - /// Initializes a new instance of the class. This constructor + /// Initializes a new instance of the class. This constructor /// is intended to be used for mocking only. /// - protected RecognizeIdDocumentsOperation() + protected RecognizeIdentityDocumentsOperation() { } @@ -175,7 +175,7 @@ private async ValueTask UpdateStatusAsync(bool async, CancellationToke { if (!_hasCompleted) { - using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(RecognizeIdDocumentsOperation)}.{nameof(UpdateStatus)}"); + using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(RecognizeIdentityDocumentsOperation)}.{nameof(UpdateStatus)}"); scope.Start(); try diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/RecognizeIdDocumentsOptions.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/RecognizeIdentityDocumentsOptions.cs similarity index 90% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/src/RecognizeIdDocumentsOptions.cs rename to sdk/formrecognizer/Azure.AI.FormRecognizer/src/RecognizeIdentityDocumentsOptions.cs index 360e45eff530..516d00fc1680 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/RecognizeIdDocumentsOptions.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/RecognizeIdentityDocumentsOptions.cs @@ -6,19 +6,19 @@ namespace Azure.AI.FormRecognizer { /// - /// The set of options that can be specified when calling a Recognize ID Documents method + /// The set of options that can be specified when calling a Recognize identity Documents method /// to configure the behavior of the request. For example, specify the content type of the /// form, or whether or not to include form elements. /// - public class RecognizeIdDocumentsOptions + public class RecognizeIdentityDocumentsOptions { /// - /// Initializes a new instance of the class which - /// allows to set options that can be specified when calling a Recognize ID Documents method + /// Initializes a new instance of the class which + /// allows to set options that can be specified when calling a Recognize identity Documents method /// to configure the behavior of the request. For example, specify the content type of the /// form, or whether or not to include form elements. /// - public RecognizeIdDocumentsOptions() + public RecognizeIdentityDocumentsOptions() { } diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeIdDocumentsLiveTests.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeIdentityDocumentsLiveTests.cs similarity index 77% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeIdDocumentsLiveTests.cs rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeIdentityDocumentsLiveTests.cs index af0918e4a32b..a50f7bb1b736 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeIdDocumentsLiveTests.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeIdentityDocumentsLiveTests.cs @@ -10,7 +10,7 @@ using NUnit.Framework; /// -/// The suite of tests for the `StartRecognizeIdDocuments` methods in the class. +/// The suite of tests for the `StartRecognizeIdentityDocuments` methods in the class. /// /// /// These tests have a dependency on live Azure services and may incur costs for the associated @@ -19,23 +19,23 @@ namespace Azure.AI.FormRecognizer.Tests { [ClientTestFixture(FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public class RecognizeIdDocumentsLiveTests : FormRecognizerLiveTestBase + public class RecognizeIdentityDocumentsLiveTests : FormRecognizerLiveTestBase { - public RecognizeIdDocumentsLiveTests(bool isAsync, FormRecognizerClientOptions.ServiceVersion serviceVersion) + public RecognizeIdentityDocumentsLiveTests(bool isAsync, FormRecognizerClientOptions.ServiceVersion serviceVersion) : base(isAsync, serviceVersion) { } [RecordedTest] - public async Task StartRecognizeIdDocumentsCanAuthenticateWithTokenCredential() + public async Task StartRecognizeIdentityDocumentsCanAuthenticateWithTokenCredential() { var client = CreateFormRecognizerClient(useTokenCredential: true); - RecognizeIdDocumentsOperation operation; + RecognizeIdentityDocumentsOperation operation; using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.DriverLicenseJpg); using (Recording.DisableRequestBodyRecording()) { - operation = await client.StartRecognizeIdDocumentsAsync(stream); + operation = await client.StartRecognizeIdentityDocumentsAsync(stream); } // Sanity check to make sure we got an actual response back from the service. @@ -55,23 +55,23 @@ public async Task StartRecognizeIdDocumentsCanAuthenticateWithTokenCredential() [RecordedTest] [TestCase(true)] [TestCase(false)] - public async Task StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(bool useStream) + public async Task StartRecognizeIdentityDocumentsPopulatesExtractedIdDocumentJpg(bool useStream) { var client = CreateFormRecognizerClient(); - RecognizeIdDocumentsOperation operation; + RecognizeIdentityDocumentsOperation operation; if (useStream) { using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.DriverLicenseJpg); using (Recording.DisableRequestBodyRecording()) { - operation = await client.StartRecognizeIdDocumentsAsync(stream); + operation = await client.StartRecognizeIdentityDocumentsAsync(stream); } } else { var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.DriverLicenseJpg); - operation = await client.StartRecognizeIdDocumentsFromUriAsync(uri); + operation = await client.StartRecognizeIdentityDocumentsFromUriAsync(uri); } await operation.WaitForCompletionAsync(); @@ -122,16 +122,16 @@ public async Task StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(bool } [RecordedTest] - public async Task StartRecognizeIdDocumentsIncludeFieldElements() + public async Task StartRecognizeIdentityDocumentsIncludeFieldElements() { var client = CreateFormRecognizerClient(); - var options = new RecognizeIdDocumentsOptions() { IncludeFieldElements = true }; - RecognizeIdDocumentsOperation operation; + var options = new RecognizeIdentityDocumentsOptions() { IncludeFieldElements = true }; + RecognizeIdentityDocumentsOperation operation; using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.DriverLicenseJpg); using (Recording.DisableRequestBodyRecording()) { - operation = await client.StartRecognizeIdDocumentsAsync(stream, options); + operation = await client.StartRecognizeIdentityDocumentsAsync(stream, options); } RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); @@ -146,15 +146,15 @@ public async Task StartRecognizeIdDocumentsIncludeFieldElements() } [RecordedTest] - public async Task StartRecognizeIdDocumentsCanParseBlankPage() + public async Task StartRecognizeIdentityDocumentsCanParseBlankPage() { var client = CreateFormRecognizerClient(); - RecognizeIdDocumentsOperation operation; + RecognizeIdentityDocumentsOperation operation; using var stream = FormRecognizerTestEnvironment.CreateStream(TestFile.Blank); using (Recording.DisableRequestBodyRecording()) { - operation = await client.StartRecognizeIdDocumentsAsync(stream); + operation = await client.StartRecognizeIdentityDocumentsAsync(stream); } RecognizedFormCollection recognizedForms = await operation.WaitForCompletionAsync(); @@ -163,7 +163,7 @@ public async Task StartRecognizeIdDocumentsCanParseBlankPage() } [RecordedTest] - public void StartRecognizeIdDocumentsThrowsForDamagedFile() + public void StartRecognizeIdentityDocumentsThrowsForDamagedFile() { var client = CreateFormRecognizerClient(); @@ -172,7 +172,7 @@ public void StartRecognizeIdDocumentsThrowsForDamagedFile() var damagedFile = new byte[] { 0x25, 0x50, 0x44, 0x46, 0x55, 0x55, 0x55 }; using var stream = new MemoryStream(damagedFile); - RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeIdDocumentsAsync(stream)); + RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeIdentityDocumentsAsync(stream)); Assert.AreEqual("BadArgument", ex.ErrorCode); } @@ -181,12 +181,12 @@ public void StartRecognizeIdDocumentsThrowsForDamagedFile() /// Recognizer cognitive service and handle returned errors. /// [RecordedTest] - public void StartRecognizeIdDocumentsFromUriThrowsForNonExistingContent() + public void StartRecognizeIdentityDocumentsFromUriThrowsForNonExistingContent() { var client = CreateFormRecognizerClient(); var invalidUri = new Uri("https://idont.ex.ist"); - RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeIdDocumentsFromUriAsync(invalidUri)); + RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeIdentityDocumentsFromUriAsync(invalidUri)); Assert.AreEqual("FailedToDownloadImage", ex.ErrorCode); } } diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/Models/OperationsLiveTests.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/Models/OperationsLiveTests.cs index e61c201c66d4..3c6b60336091 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/Models/OperationsLiveTests.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/Models/OperationsLiveTests.cs @@ -77,14 +77,14 @@ public async Task RecognizeInvoicesOperationCanPollFromNewObject() [RecordedTest] [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] - public async Task RecognizeIdDocumentsOperationCanPollFromNewObject() + public async Task RecognizeIdentityDocumentsOperationCanPollFromNewObject() { var client = CreateFormRecognizerClient(out var nonInstrumentedClient); var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.Blank); - var operation = await client.StartRecognizeIdDocumentsFromUriAsync(uri); + var operation = await client.StartRecognizeIdentityDocumentsFromUriAsync(uri); - var sameOperation = InstrumentOperation(new RecognizeIdDocumentsOperation(operation.Id, nonInstrumentedClient)); + var sameOperation = InstrumentOperation(new RecognizeIdentityDocumentsOperation(operation.Id, nonInstrumentedClient)); await sameOperation.WaitForCompletionAsync(); Assert.IsTrue(sameOperation.HasValue); diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/Models/OperationsMockTests.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/Models/OperationsMockTests.cs index 8e2c8d7caafb..9c5b4883407c 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/Models/OperationsMockTests.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/Models/OperationsMockTests.cs @@ -202,7 +202,7 @@ public void RecognizeInvoicesOperationRequiredParameters() } [Test] - public async Task RecognizeIdDocumentsOperationCreatesDiagnosticScopeOnUpdate() + public async Task RecognizeIdentityDocumentsOperationCreatesDiagnosticScopeOnUpdate() { using var testListener = new ClientDiagnosticListener(DiagnosticNamespace); using var stream = new MemoryStream(Encoding.UTF8.GetBytes("{}")); @@ -214,7 +214,7 @@ public async Task RecognizeIdDocumentsOperationCreatesDiagnosticScopeOnUpdate() var options = new FormRecognizerClientOptions() { Transport = mockTransport }; var client = CreateFormRecognizerClient(options); - var operation = new RecognizeIdDocumentsOperation("00000000-0000-0000-0000-000000000000", client); + var operation = new RecognizeIdentityDocumentsOperation("00000000-0000-0000-0000-000000000000", client); if (IsAsync) { @@ -225,15 +225,15 @@ public async Task RecognizeIdDocumentsOperationCreatesDiagnosticScopeOnUpdate() operation.UpdateStatus(); } - testListener.AssertScope($"{nameof(RecognizeIdDocumentsOperation)}.{nameof(RecognizeIdDocumentsOperation.UpdateStatus)}"); + testListener.AssertScope($"{nameof(RecognizeIdentityDocumentsOperation)}.{nameof(RecognizeIdentityDocumentsOperation.UpdateStatus)}"); } [Test] - public void RecognizeIdDocumentsOperationRequiredParameters() + public void RecognizeIdentityDocumentsOperationRequiredParameters() { FormRecognizerClient client = CreateFormRecognizerClient(); - Assert.Throws(() => new RecognizeIdDocumentsOperation("00000000 - 0000 - 0000 - 0000 - 000000000000", null)); + Assert.Throws(() => new RecognizeIdentityDocumentsOperation("00000000 - 0000 - 0000 - 0000 - 000000000000", null)); } [Test] diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/OperationsLiveTests/RecognizeIdDocumentsOperationCanPollFromNewObject.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/OperationsLiveTests/RecognizeIdentityDocumentsOperationCanPollFromNewObject.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/OperationsLiveTests/RecognizeIdDocumentsOperationCanPollFromNewObject.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/OperationsLiveTests/RecognizeIdentityDocumentsOperationCanPollFromNewObject.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/OperationsLiveTests/RecognizeIdDocumentsOperationCanPollFromNewObjectAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/OperationsLiveTests/RecognizeIdentityDocumentsOperationCanPollFromNewObjectAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/OperationsLiveTests/RecognizeIdDocumentsOperationCanPollFromNewObjectAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/OperationsLiveTests/RecognizeIdentityDocumentsOperationCanPollFromNewObjectAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsCanAuthenticateWithTokenCredential.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsCanAuthenticateWithTokenCredential.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsCanAuthenticateWithTokenCredential.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsCanAuthenticateWithTokenCredential.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsCanAuthenticateWithTokenCredentialAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsCanAuthenticateWithTokenCredentialAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsCanAuthenticateWithTokenCredentialAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsCanAuthenticateWithTokenCredentialAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsCanParseBlankPage.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsCanParseBlankPage.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsCanParseBlankPage.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsCanParseBlankPage.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsCanParseBlankPageAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsCanParseBlankPageAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsCanParseBlankPageAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsCanParseBlankPageAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsFromUriThrowsForNonExistingContent.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsFromUriThrowsForNonExistingContent.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsFromUriThrowsForNonExistingContent.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsFromUriThrowsForNonExistingContent.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsFromUriThrowsForNonExistingContentAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsFromUriThrowsForNonExistingContentAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsFromUriThrowsForNonExistingContentAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsFromUriThrowsForNonExistingContentAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsIncludeFieldElements.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsIncludeFieldElements.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsIncludeFieldElements.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsIncludeFieldElements.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsIncludeFieldElementsAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsIncludeFieldElementsAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsIncludeFieldElementsAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsIncludeFieldElementsAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(False).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsPopulatesExtractedIdDocumentJpg(False).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(False).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsPopulatesExtractedIdDocumentJpg(False).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(False)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsPopulatesExtractedIdDocumentJpg(False)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(False)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsPopulatesExtractedIdDocumentJpg(False)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(True).json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsPopulatesExtractedIdDocumentJpg(True).json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(True).json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsPopulatesExtractedIdDocumentJpg(True).json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(True)Async.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsPopulatesExtractedIdDocumentJpg(True)Async.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsPopulatesExtractedIdDocumentJpg(True)Async.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsPopulatesExtractedIdDocumentJpg(True)Async.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsThrowsForDamagedFile.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsThrowsForDamagedFile.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsThrowsForDamagedFile.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsThrowsForDamagedFile.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsThrowsForDamagedFileAsync.json b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsThrowsForDamagedFileAsync.json similarity index 100% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdDocumentsLiveTests/StartRecognizeIdDocumentsThrowsForDamagedFileAsync.json rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/SessionRecords/RecognizeIdentityDocumentsLiveTests/StartRecognizeIdentityDocumentsThrowsForDamagedFileAsync.json diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/samples/Sample15_RecognizeIdDocumentsFromFile.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/samples/Sample14_RecognizeIdentityDocumentsFromFile.cs similarity index 76% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/samples/Sample15_RecognizeIdDocumentsFromFile.cs rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/samples/Sample14_RecognizeIdentityDocumentsFromFile.cs index 1dbbfe216c7a..16f81bbea931 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/samples/Sample15_RecognizeIdDocumentsFromFile.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/samples/Sample14_RecognizeIdentityDocumentsFromFile.cs @@ -15,14 +15,14 @@ namespace Azure.AI.FormRecognizer.Samples public partial class FormRecognizerSamples : SamplesBase { [Test] - public async Task RecognizeIdDocumentsFromFile() + public async Task RecognizeIdentityDocumentsFromFile() { string endpoint = TestEnvironment.Endpoint; string apiKey = TestEnvironment.ApiKey; FormRecognizerClient client = new FormRecognizerClient(new Uri(endpoint), new AzureKeyCredential(apiKey)); - #region Snippet:FormRecognizerSampleRecognizeIdDocumentsFileStream + #region Snippet:FormRecognizerSampleRecognizeIdentityDocumentsFileStream #if SNIPPET string sourcePath = ""; #else @@ -31,16 +31,16 @@ public async Task RecognizeIdDocumentsFromFile() using var stream = new FileStream(sourcePath, FileMode.Open); - RecognizeIdDocumentsOperation operation = await client.StartRecognizeIdDocumentsAsync(stream); + RecognizeIdentityDocumentsOperation operation = await client.StartRecognizeIdentityDocumentsAsync(stream); Response operationResponse = await operation.WaitForCompletionAsync(); - RecognizedFormCollection idDocuments = operationResponse.Value; + RecognizedFormCollection identityDocuments = operationResponse.Value; // To see the list of all the supported fields returned by service and its corresponding types, consult: // https://aka.ms/formrecognizer/iddocumentfields - RecognizedForm idDocument = idDocuments.Single(); + RecognizedForm identityDocument = identityDocuments.Single(); - if (idDocument.Fields.TryGetValue("Address", out FormField addressField)) + if (identityDocument.Fields.TryGetValue("Address", out FormField addressField)) { if (addressField.Value.ValueType == FieldValueType.String) { @@ -49,7 +49,7 @@ public async Task RecognizeIdDocumentsFromFile() } } - if (idDocument.Fields.TryGetValue("Country", out FormField countryField)) + if (identityDocument.Fields.TryGetValue("Country", out FormField countryField)) { if (countryField.Value.ValueType == FieldValueType.Country) { @@ -58,7 +58,7 @@ public async Task RecognizeIdDocumentsFromFile() } } - if (idDocument.Fields.TryGetValue("DateOfBirth", out FormField dateOfBirthField)) + if (identityDocument.Fields.TryGetValue("DateOfBirth", out FormField dateOfBirthField)) { if (dateOfBirthField.Value.ValueType == FieldValueType.Date) { @@ -67,7 +67,7 @@ public async Task RecognizeIdDocumentsFromFile() } } - if (idDocument.Fields.TryGetValue("DateOfExpiration", out FormField dateOfExpirationField)) + if (identityDocument.Fields.TryGetValue("DateOfExpiration", out FormField dateOfExpirationField)) { if (dateOfExpirationField.Value.ValueType == FieldValueType.Date) { @@ -76,7 +76,7 @@ public async Task RecognizeIdDocumentsFromFile() } } - if (idDocument.Fields.TryGetValue("DocumentNumber", out FormField documentNumberField)) + if (identityDocument.Fields.TryGetValue("DocumentNumber", out FormField documentNumberField)) { if (documentNumberField.Value.ValueType == FieldValueType.String) { @@ -85,7 +85,7 @@ public async Task RecognizeIdDocumentsFromFile() } } - if (idDocument.Fields.TryGetValue("FirstName", out FormField firstNameField)) + if (identityDocument.Fields.TryGetValue("FirstName", out FormField firstNameField)) { if (firstNameField.Value.ValueType == FieldValueType.String) { @@ -94,7 +94,7 @@ public async Task RecognizeIdDocumentsFromFile() } } - if (idDocument.Fields.TryGetValue("LastName", out FormField lastNameField)) + if (identityDocument.Fields.TryGetValue("LastName", out FormField lastNameField)) { if (lastNameField.Value.ValueType == FieldValueType.String) { @@ -103,7 +103,7 @@ public async Task RecognizeIdDocumentsFromFile() } } - if (idDocument.Fields.TryGetValue("Region", out FormField regionfield)) + if (identityDocument.Fields.TryGetValue("Region", out FormField regionfield)) { if (regionfield.Value.ValueType == FieldValueType.String) { diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/samples/Sample15_RecognizeIdDocumentsFromUri.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/samples/Sample14_RecognizeIdentityDocumentsFromUri.cs similarity index 76% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/tests/samples/Sample15_RecognizeIdDocumentsFromUri.cs rename to sdk/formrecognizer/Azure.AI.FormRecognizer/tests/samples/Sample14_RecognizeIdentityDocumentsFromUri.cs index 2fd977efea16..4c5cfcd8f5d6 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/samples/Sample15_RecognizeIdDocumentsFromUri.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/samples/Sample14_RecognizeIdentityDocumentsFromUri.cs @@ -14,30 +14,30 @@ namespace Azure.AI.FormRecognizer.Samples public partial class FormRecognizerSamples : SamplesBase { [Test] - public async Task RecognizeIdDocumentsFromUri() + public async Task RecognizeIdentityDocumentsFromUri() { string endpoint = TestEnvironment.Endpoint; string apiKey = TestEnvironment.ApiKey; FormRecognizerClient client = new FormRecognizerClient(new Uri(endpoint), new AzureKeyCredential(apiKey)); - #region Snippet:FormRecognizerSampleRecognizeIdDocumentsUri + #region Snippet:FormRecognizerSampleRecognizeIdentityDocumentsUri #if SNIPPET Uri sourceUri = ""; #else Uri sourceUri = FormRecognizerTestEnvironment.CreateUri("license.jpg"); #endif - RecognizeIdDocumentsOperation operation = await client.StartRecognizeIdDocumentsFromUriAsync(sourceUri); + RecognizeIdentityDocumentsOperation operation = await client.StartRecognizeIdentityDocumentsFromUriAsync(sourceUri); Response operationResponse = await operation.WaitForCompletionAsync(); - RecognizedFormCollection idDocuments = operationResponse.Value; + RecognizedFormCollection identityDocuments = operationResponse.Value; // To see the list of all the supported fields returned by service and its corresponding types, consult: // https://aka.ms/formrecognizer/iddocumentfields - RecognizedForm idDocument = idDocuments.Single(); + RecognizedForm identityDocument = identityDocuments.Single(); - if (idDocument.Fields.TryGetValue("Address", out FormField addressField)) + if (identityDocument.Fields.TryGetValue("Address", out FormField addressField)) { if (addressField.Value.ValueType == FieldValueType.String) { @@ -46,7 +46,7 @@ public async Task RecognizeIdDocumentsFromUri() } } - if (idDocument.Fields.TryGetValue("Country", out FormField countryField)) + if (identityDocument.Fields.TryGetValue("Country", out FormField countryField)) { if (countryField.Value.ValueType == FieldValueType.Country) { @@ -55,7 +55,7 @@ public async Task RecognizeIdDocumentsFromUri() } } - if (idDocument.Fields.TryGetValue("DateOfBirth", out FormField dateOfBirthField)) + if (identityDocument.Fields.TryGetValue("DateOfBirth", out FormField dateOfBirthField)) { if (dateOfBirthField.Value.ValueType == FieldValueType.Date) { @@ -64,7 +64,7 @@ public async Task RecognizeIdDocumentsFromUri() } } - if (idDocument.Fields.TryGetValue("DateOfExpiration", out FormField dateOfExpirationField)) + if (identityDocument.Fields.TryGetValue("DateOfExpiration", out FormField dateOfExpirationField)) { if (dateOfExpirationField.Value.ValueType == FieldValueType.Date) { @@ -73,7 +73,7 @@ public async Task RecognizeIdDocumentsFromUri() } } - if (idDocument.Fields.TryGetValue("DocumentNumber", out FormField documentNumberField)) + if (identityDocument.Fields.TryGetValue("DocumentNumber", out FormField documentNumberField)) { if (documentNumberField.Value.ValueType == FieldValueType.String) { @@ -82,7 +82,7 @@ public async Task RecognizeIdDocumentsFromUri() } } - if (idDocument.Fields.TryGetValue("FirstName", out FormField firstNameField)) + if (identityDocument.Fields.TryGetValue("FirstName", out FormField firstNameField)) { if (firstNameField.Value.ValueType == FieldValueType.String) { @@ -91,7 +91,7 @@ public async Task RecognizeIdDocumentsFromUri() } } - if (idDocument.Fields.TryGetValue("LastName", out FormField lastNameField)) + if (identityDocument.Fields.TryGetValue("LastName", out FormField lastNameField)) { if (lastNameField.Value.ValueType == FieldValueType.String) { @@ -100,7 +100,7 @@ public async Task RecognizeIdDocumentsFromUri() } } - if (idDocument.Fields.TryGetValue("Region", out FormField regionfield)) + if (identityDocument.Fields.TryGetValue("Region", out FormField regionfield)) { if (regionfield.Value.ValueType == FieldValueType.String) { From 6f2943ad76fd6b216fffe7fda18e71e9530d3a19 Mon Sep 17 00:00:00 2001 From: Matt Ellis Date: Mon, 3 May 2021 11:39:35 -0700 Subject: [PATCH 17/37] [Purview] Azure.Data -> Azure.Analytics (#20796) After discussion, we would prefer to use `Analytics` instead of `Data` for our group name. --- .../Azure.Analytics.Purview.Catalog.sln} | 4 ++-- .../CHANGELOG.md | 0 .../Directory.Build.props | 0 .../README.md | 2 +- ...alytics.Purview.Catalog.netstandard2.0.cs} | 16 +++++++------- .../Azure.Analytics.Purview.Catalog.csproj} | 0 .../src/Generated/CatalogClientOptions.cs | 2 +- .../src/Generated/DiscoveryRestClient.cs | 2 +- .../src/Generated/EntityRestClient.cs | 2 +- .../src/Generated/GlossaryRestClient.cs | 2 +- .../src/Generated/LineageRestClient.cs | 2 +- .../src/Generated/RelationshipRestClient.cs | 2 +- .../src/Generated/TypesRestClient.cs | 2 +- .../src/autorest.md | 2 +- .../src/properties/AssemblyInfo.cs | 0 ...re.Analytics.Purview.Catalog.Tests.csproj} | 2 +- .../Azure.Analytics.Purview.Scanning.sln} | 4 ++-- .../CHANGELOG.md | 0 .../Directory.Build.props | 0 .../README.md | 2 +- ...lytics.Purview.Scanning.netstandard2.0.cs} | 22 +++++++++---------- .../Azure.Analytics.Purview.Scanning.csproj} | 3 ++- .../src/Generated/AzureKeyVaultsClient.cs | 2 +- .../Generated/ClassificationRulesClient.cs | 2 +- .../src/Generated/DataSourceClient.cs | 2 +- .../src/Generated/DataSourcesClient.cs | 2 +- .../src/Generated/FiltersClient.cs | 2 +- .../src/Generated/ScanRulesetsClient.cs | 2 +- .../src/Generated/ScanningClientOptions.cs | 2 +- .../src/Generated/ScansClient.cs | 2 +- .../src/Generated/SystemScanRulesetsClient.cs | 2 +- .../src/Generated/TriggersClient.cs | 2 +- .../src/autorest.md | 4 ++-- .../src/properties/AssemblyInfo.cs | 0 ...e.Analytics.Purview.Scanning.Tests.csproj} | 2 +- sdk/purview/ci.yml | 8 +++---- 36 files changed, 53 insertions(+), 52 deletions(-) rename sdk/purview/{Azure.Data.Purview.Catalog/Azure.Data.Purview.Catalog.sln => Azure.Analytics.Purview.Catalog/Azure.Analytics.Purview.Catalog.sln} (88%) rename sdk/purview/{Azure.Data.Purview.Catalog => Azure.Analytics.Purview.Catalog}/CHANGELOG.md (100%) rename sdk/purview/{Azure.Data.Purview.Catalog => Azure.Analytics.Purview.Catalog}/Directory.Build.props (100%) rename sdk/purview/{Azure.Data.Purview.Catalog => Azure.Analytics.Purview.Catalog}/README.md (96%) rename sdk/purview/{Azure.Data.Purview.Catalog/api/Azure.Data.Purview.Catalog.netstandard2.0.cs => Azure.Analytics.Purview.Catalog/api/Azure.Analytics.Purview.Catalog.netstandard2.0.cs} (98%) rename sdk/purview/{Azure.Data.Purview.Catalog/src/Azure.Data.Purview.Catalog.csproj => Azure.Analytics.Purview.Catalog/src/Azure.Analytics.Purview.Catalog.csproj} (100%) rename sdk/purview/{Azure.Data.Purview.Catalog => Azure.Analytics.Purview.Catalog}/src/Generated/CatalogClientOptions.cs (96%) rename sdk/purview/{Azure.Data.Purview.Catalog => Azure.Analytics.Purview.Catalog}/src/Generated/DiscoveryRestClient.cs (99%) rename sdk/purview/{Azure.Data.Purview.Catalog => Azure.Analytics.Purview.Catalog}/src/Generated/EntityRestClient.cs (99%) rename sdk/purview/{Azure.Data.Purview.Catalog => Azure.Analytics.Purview.Catalog}/src/Generated/GlossaryRestClient.cs (99%) rename sdk/purview/{Azure.Data.Purview.Catalog => Azure.Analytics.Purview.Catalog}/src/Generated/LineageRestClient.cs (99%) rename sdk/purview/{Azure.Data.Purview.Catalog => Azure.Analytics.Purview.Catalog}/src/Generated/RelationshipRestClient.cs (99%) rename sdk/purview/{Azure.Data.Purview.Catalog => Azure.Analytics.Purview.Catalog}/src/Generated/TypesRestClient.cs (99%) rename sdk/purview/{Azure.Data.Purview.Catalog => Azure.Analytics.Purview.Catalog}/src/autorest.md (93%) rename sdk/purview/{Azure.Data.Purview.Catalog => Azure.Analytics.Purview.Catalog}/src/properties/AssemblyInfo.cs (100%) rename sdk/purview/{Azure.Data.Purview.Catalog/tests/Azure.Data.Purview.Catalog.Tests.csproj => Azure.Analytics.Purview.Catalog/tests/Azure.Analytics.Purview.Catalog.Tests.csproj} (85%) rename sdk/purview/{Azure.Data.Purview.Scanning/Azure.Data.Purview.Scanning.sln => Azure.Analytics.Purview.Scanning/Azure.Analytics.Purview.Scanning.sln} (88%) rename sdk/purview/{Azure.Data.Purview.Scanning => Azure.Analytics.Purview.Scanning}/CHANGELOG.md (100%) rename sdk/purview/{Azure.Data.Purview.Scanning => Azure.Analytics.Purview.Scanning}/Directory.Build.props (100%) rename sdk/purview/{Azure.Data.Purview.Scanning => Azure.Analytics.Purview.Scanning}/README.md (96%) rename sdk/purview/{Azure.Data.Purview.Scanning/api/Azure.Data.Purview.Scanning.netstandard2.0.cs => Azure.Analytics.Purview.Scanning/api/Azure.Analytics.Purview.Scanning.netstandard2.0.cs} (94%) rename sdk/purview/{Azure.Data.Purview.Scanning/src/Azure.Data.Purview.Scanning.csproj => Azure.Analytics.Purview.Scanning/src/Azure.Analytics.Purview.Scanning.csproj} (94%) rename sdk/purview/{Azure.Data.Purview.Scanning => Azure.Analytics.Purview.Scanning}/src/Generated/AzureKeyVaultsClient.cs (99%) rename sdk/purview/{Azure.Data.Purview.Scanning => Azure.Analytics.Purview.Scanning}/src/Generated/ClassificationRulesClient.cs (99%) rename sdk/purview/{Azure.Data.Purview.Scanning => Azure.Analytics.Purview.Scanning}/src/Generated/DataSourceClient.cs (98%) rename sdk/purview/{Azure.Data.Purview.Scanning => Azure.Analytics.Purview.Scanning}/src/Generated/DataSourcesClient.cs (99%) rename sdk/purview/{Azure.Data.Purview.Scanning => Azure.Analytics.Purview.Scanning}/src/Generated/FiltersClient.cs (99%) rename sdk/purview/{Azure.Data.Purview.Scanning => Azure.Analytics.Purview.Scanning}/src/Generated/ScanRulesetsClient.cs (99%) rename sdk/purview/{Azure.Data.Purview.Scanning => Azure.Analytics.Purview.Scanning}/src/Generated/ScanningClientOptions.cs (96%) rename sdk/purview/{Azure.Data.Purview.Scanning => Azure.Analytics.Purview.Scanning}/src/Generated/ScansClient.cs (99%) rename sdk/purview/{Azure.Data.Purview.Scanning => Azure.Analytics.Purview.Scanning}/src/Generated/SystemScanRulesetsClient.cs (99%) rename sdk/purview/{Azure.Data.Purview.Scanning => Azure.Analytics.Purview.Scanning}/src/Generated/TriggersClient.cs (99%) rename sdk/purview/{Azure.Data.Purview.Scanning => Azure.Analytics.Purview.Scanning}/src/autorest.md (65%) rename sdk/purview/{Azure.Data.Purview.Scanning => Azure.Analytics.Purview.Scanning}/src/properties/AssemblyInfo.cs (100%) rename sdk/purview/{Azure.Data.Purview.Scanning/tests/Azure.Data.Purview.Scanning.Tests.csproj => Azure.Analytics.Purview.Scanning/tests/Azure.Analytics.Purview.Scanning.Tests.csproj} (85%) diff --git a/sdk/purview/Azure.Data.Purview.Catalog/Azure.Data.Purview.Catalog.sln b/sdk/purview/Azure.Analytics.Purview.Catalog/Azure.Analytics.Purview.Catalog.sln similarity index 88% rename from sdk/purview/Azure.Data.Purview.Catalog/Azure.Data.Purview.Catalog.sln rename to sdk/purview/Azure.Analytics.Purview.Catalog/Azure.Analytics.Purview.Catalog.sln index 93f305609e34..eeaaf70a0b88 100644 --- a/sdk/purview/Azure.Data.Purview.Catalog/Azure.Data.Purview.Catalog.sln +++ b/sdk/purview/Azure.Analytics.Purview.Catalog/Azure.Analytics.Purview.Catalog.sln @@ -9,9 +9,9 @@ Project("{9A19103F-16F7-4668-BE54-9A1E7A4F7556}") = "Azure.Test.Stress", "..\..\ EndProject Project("{9A19103F-16F7-4668-BE54-9A1E7A4F7556}") = "Azure.Test.Perf", "..\..\..\common\Perf\Azure.Test.Perf\Azure.Test.Perf.csproj", "{0ED9C8A0-9A19-4750-8DD3-61D086288283}" EndProject -Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Azure.Data.Purview.Catalog", "src\Azure.Data.Purview.Catalog.csproj", "{CF37FB99-8D78-473D-8333-AD560F057B75}" +Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Azure.Analytics.Purview.Catalog", "src\Azure.Analytics.Purview.Catalog.csproj", "{CF37FB99-8D78-473D-8333-AD560F057B75}" EndProject -Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Azure.Data.Purview.Catalog.Tests", "tests\Azure.Data.Purview.Catalog.Tests.csproj", "{002A0F15-402B-473D-8842-5507462920BF}" +Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Azure.Analytics.Purview.Catalog.Tests", "tests\Azure.Analytics.Purview.Catalog.Tests.csproj", "{002A0F15-402B-473D-8842-5507462920BF}" EndProject Global GlobalSection(SolutionConfigurationPlatforms) = preSolution diff --git a/sdk/purview/Azure.Data.Purview.Catalog/CHANGELOG.md b/sdk/purview/Azure.Analytics.Purview.Catalog/CHANGELOG.md similarity index 100% rename from sdk/purview/Azure.Data.Purview.Catalog/CHANGELOG.md rename to sdk/purview/Azure.Analytics.Purview.Catalog/CHANGELOG.md diff --git a/sdk/purview/Azure.Data.Purview.Catalog/Directory.Build.props b/sdk/purview/Azure.Analytics.Purview.Catalog/Directory.Build.props similarity index 100% rename from sdk/purview/Azure.Data.Purview.Catalog/Directory.Build.props rename to sdk/purview/Azure.Analytics.Purview.Catalog/Directory.Build.props diff --git a/sdk/purview/Azure.Data.Purview.Catalog/README.md b/sdk/purview/Azure.Analytics.Purview.Catalog/README.md similarity index 96% rename from sdk/purview/Azure.Data.Purview.Catalog/README.md rename to sdk/purview/Azure.Analytics.Purview.Catalog/README.md index ddea6e247245..6302e05def59 100644 --- a/sdk/purview/Azure.Data.Purview.Catalog/README.md +++ b/sdk/purview/Azure.Analytics.Purview.Catalog/README.md @@ -67,4 +67,4 @@ This project has adopted the [Microsoft Open Source Code of Conduct][code_of_con [coc_faq]: https://opensource.microsoft.com/codeofconduct/faq/ [coc_contact]: mailto:opencode@microsoft.com -![Impressions](https://azure-sdk-impressions.azurewebsites.net/api/impressions/azure-sdk-for-net%2Fsdk%2Fpurview%2FAzure.Data.Purview.Catalog%2FREADME.png) +![Impressions](https://azure-sdk-impressions.azurewebsites.net/api/impressions/azure-sdk-for-net%2Fsdk%2Fpurview%2FAzure.Analytics.Purview.Catalog%2FREADME.png) diff --git a/sdk/purview/Azure.Data.Purview.Catalog/api/Azure.Data.Purview.Catalog.netstandard2.0.cs b/sdk/purview/Azure.Analytics.Purview.Catalog/api/Azure.Analytics.Purview.Catalog.netstandard2.0.cs similarity index 98% rename from sdk/purview/Azure.Data.Purview.Catalog/api/Azure.Data.Purview.Catalog.netstandard2.0.cs rename to sdk/purview/Azure.Analytics.Purview.Catalog/api/Azure.Analytics.Purview.Catalog.netstandard2.0.cs index 1d0c1fa57f8e..33aeef9fe45d 100644 --- a/sdk/purview/Azure.Data.Purview.Catalog/api/Azure.Data.Purview.Catalog.netstandard2.0.cs +++ b/sdk/purview/Azure.Analytics.Purview.Catalog/api/Azure.Analytics.Purview.Catalog.netstandard2.0.cs @@ -1,8 +1,8 @@ -namespace Azure.Data.Purview.Catalog +namespace Azure.Analytics.Purview.Catalog { public partial class CatalogClientOptions : Azure.Core.ClientOptions { - public CatalogClientOptions(Azure.Data.Purview.Catalog.CatalogClientOptions.ServiceVersion version = Azure.Data.Purview.Catalog.CatalogClientOptions.ServiceVersion.V2020_12_01_preview) { } + public CatalogClientOptions(Azure.Analytics.Purview.Catalog.CatalogClientOptions.ServiceVersion version = Azure.Analytics.Purview.Catalog.CatalogClientOptions.ServiceVersion.V2020_12_01_preview) { } public enum ServiceVersion { V2020_12_01_preview = 1, @@ -11,7 +11,7 @@ public enum ServiceVersion public partial class DiscoveryRestClient { protected DiscoveryRestClient() { } - public DiscoveryRestClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Data.Purview.Catalog.CatalogClientOptions options = null) { } + public DiscoveryRestClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Catalog.CatalogClientOptions options = null) { } public virtual Azure.Core.Pipeline.HttpPipeline Pipeline { get { throw null; } } public virtual Azure.Response AutoComplete(Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual System.Threading.Tasks.Task AutoCompleteAsync(Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } @@ -23,7 +23,7 @@ public DiscoveryRestClient(System.Uri endpoint, Azure.Core.TokenCredential crede public partial class EntityRestClient { protected EntityRestClient() { } - public EntityRestClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Data.Purview.Catalog.CatalogClientOptions options = null) { } + public EntityRestClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Catalog.CatalogClientOptions options = null) { } public virtual Azure.Core.Pipeline.HttpPipeline Pipeline { get { throw null; } } public virtual Azure.Response AddClassification(Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual System.Threading.Tasks.Task AddClassificationAsync(Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } @@ -73,7 +73,7 @@ public EntityRestClient(System.Uri endpoint, Azure.Core.TokenCredential credenti public partial class GlossaryRestClient { protected GlossaryRestClient() { } - public GlossaryRestClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Data.Purview.Catalog.CatalogClientOptions options = null) { } + public GlossaryRestClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Catalog.CatalogClientOptions options = null) { } public virtual Azure.Core.Pipeline.HttpPipeline Pipeline { get { throw null; } } public virtual Azure.Response AssignTermToEntities(string termGuid, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual System.Threading.Tasks.Task AssignTermToEntitiesAsync(string termGuid, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } @@ -149,7 +149,7 @@ public GlossaryRestClient(System.Uri endpoint, Azure.Core.TokenCredential creden public partial class LineageRestClient { protected LineageRestClient() { } - public LineageRestClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Data.Purview.Catalog.CatalogClientOptions options = null) { } + public LineageRestClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Catalog.CatalogClientOptions options = null) { } public virtual Azure.Core.Pipeline.HttpPipeline Pipeline { get { throw null; } } public virtual Azure.Response GetLineageGraph(string guid, string direction, int? depth = default(int?), int? width = default(int?), bool? includeParent = default(bool?), bool? getDerivedLineage = default(bool?), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual System.Threading.Tasks.Task GetLineageGraphAsync(string guid, string direction, int? depth = default(int?), int? width = default(int?), bool? includeParent = default(bool?), bool? getDerivedLineage = default(bool?), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } @@ -159,7 +159,7 @@ public LineageRestClient(System.Uri endpoint, Azure.Core.TokenCredential credent public partial class RelationshipRestClient { protected RelationshipRestClient() { } - public RelationshipRestClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Data.Purview.Catalog.CatalogClientOptions options = null) { } + public RelationshipRestClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Catalog.CatalogClientOptions options = null) { } public virtual Azure.Core.Pipeline.HttpPipeline Pipeline { get { throw null; } } public virtual Azure.Response Create(Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual System.Threading.Tasks.Task CreateAsync(Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } @@ -173,7 +173,7 @@ public RelationshipRestClient(System.Uri endpoint, Azure.Core.TokenCredential cr public partial class TypesRestClient { protected TypesRestClient() { } - public TypesRestClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Data.Purview.Catalog.CatalogClientOptions options = null) { } + public TypesRestClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Catalog.CatalogClientOptions options = null) { } public virtual Azure.Core.Pipeline.HttpPipeline Pipeline { get { throw null; } } public virtual Azure.Response CreateTypeDefs(Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual System.Threading.Tasks.Task CreateTypeDefsAsync(Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } diff --git a/sdk/purview/Azure.Data.Purview.Catalog/src/Azure.Data.Purview.Catalog.csproj b/sdk/purview/Azure.Analytics.Purview.Catalog/src/Azure.Analytics.Purview.Catalog.csproj similarity index 100% rename from sdk/purview/Azure.Data.Purview.Catalog/src/Azure.Data.Purview.Catalog.csproj rename to sdk/purview/Azure.Analytics.Purview.Catalog/src/Azure.Analytics.Purview.Catalog.csproj diff --git a/sdk/purview/Azure.Data.Purview.Catalog/src/Generated/CatalogClientOptions.cs b/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/CatalogClientOptions.cs similarity index 96% rename from sdk/purview/Azure.Data.Purview.Catalog/src/Generated/CatalogClientOptions.cs rename to sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/CatalogClientOptions.cs index 3a3b8ddb3637..7693be48db08 100644 --- a/sdk/purview/Azure.Data.Purview.Catalog/src/Generated/CatalogClientOptions.cs +++ b/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/CatalogClientOptions.cs @@ -8,7 +8,7 @@ using System; using Azure.Core; -namespace Azure.Data.Purview.Catalog +namespace Azure.Analytics.Purview.Catalog { /// Client options for CatalogClient. public partial class CatalogClientOptions : ClientOptions diff --git a/sdk/purview/Azure.Data.Purview.Catalog/src/Generated/DiscoveryRestClient.cs b/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/DiscoveryRestClient.cs similarity index 99% rename from sdk/purview/Azure.Data.Purview.Catalog/src/Generated/DiscoveryRestClient.cs rename to sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/DiscoveryRestClient.cs index 74d3fbec7e41..3cdb8e7e7281 100644 --- a/sdk/purview/Azure.Data.Purview.Catalog/src/Generated/DiscoveryRestClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/DiscoveryRestClient.cs @@ -14,7 +14,7 @@ #pragma warning disable AZC0007 -namespace Azure.Data.Purview.Catalog +namespace Azure.Analytics.Purview.Catalog { /// The DiscoveryRest service client. public partial class DiscoveryRestClient diff --git a/sdk/purview/Azure.Data.Purview.Catalog/src/Generated/EntityRestClient.cs b/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/EntityRestClient.cs similarity index 99% rename from sdk/purview/Azure.Data.Purview.Catalog/src/Generated/EntityRestClient.cs rename to sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/EntityRestClient.cs index 2b9985a4c51a..e1ae3b6d038d 100644 --- a/sdk/purview/Azure.Data.Purview.Catalog/src/Generated/EntityRestClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/EntityRestClient.cs @@ -15,7 +15,7 @@ #pragma warning disable AZC0007 -namespace Azure.Data.Purview.Catalog +namespace Azure.Analytics.Purview.Catalog { /// The EntityRest service client. public partial class EntityRestClient diff --git a/sdk/purview/Azure.Data.Purview.Catalog/src/Generated/GlossaryRestClient.cs b/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/GlossaryRestClient.cs similarity index 99% rename from sdk/purview/Azure.Data.Purview.Catalog/src/Generated/GlossaryRestClient.cs rename to sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/GlossaryRestClient.cs index 09767fe4b291..5b9b3117664e 100644 --- a/sdk/purview/Azure.Data.Purview.Catalog/src/Generated/GlossaryRestClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/GlossaryRestClient.cs @@ -14,7 +14,7 @@ #pragma warning disable AZC0007 -namespace Azure.Data.Purview.Catalog +namespace Azure.Analytics.Purview.Catalog { /// The GlossaryRest service client. public partial class GlossaryRestClient diff --git a/sdk/purview/Azure.Data.Purview.Catalog/src/Generated/LineageRestClient.cs b/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/LineageRestClient.cs similarity index 99% rename from sdk/purview/Azure.Data.Purview.Catalog/src/Generated/LineageRestClient.cs rename to sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/LineageRestClient.cs index 82e840d9fa0e..53ae9c29d299 100644 --- a/sdk/purview/Azure.Data.Purview.Catalog/src/Generated/LineageRestClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/LineageRestClient.cs @@ -14,7 +14,7 @@ #pragma warning disable AZC0007 -namespace Azure.Data.Purview.Catalog +namespace Azure.Analytics.Purview.Catalog { /// The LineageRest service client. public partial class LineageRestClient diff --git a/sdk/purview/Azure.Data.Purview.Catalog/src/Generated/RelationshipRestClient.cs b/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/RelationshipRestClient.cs similarity index 99% rename from sdk/purview/Azure.Data.Purview.Catalog/src/Generated/RelationshipRestClient.cs rename to sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/RelationshipRestClient.cs index 90977ed61e96..aa92dc58a806 100644 --- a/sdk/purview/Azure.Data.Purview.Catalog/src/Generated/RelationshipRestClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/RelationshipRestClient.cs @@ -14,7 +14,7 @@ #pragma warning disable AZC0007 -namespace Azure.Data.Purview.Catalog +namespace Azure.Analytics.Purview.Catalog { /// The RelationshipRest service client. public partial class RelationshipRestClient diff --git a/sdk/purview/Azure.Data.Purview.Catalog/src/Generated/TypesRestClient.cs b/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/TypesRestClient.cs similarity index 99% rename from sdk/purview/Azure.Data.Purview.Catalog/src/Generated/TypesRestClient.cs rename to sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/TypesRestClient.cs index 7cc649742543..6533c27770ac 100644 --- a/sdk/purview/Azure.Data.Purview.Catalog/src/Generated/TypesRestClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/TypesRestClient.cs @@ -14,7 +14,7 @@ #pragma warning disable AZC0007 -namespace Azure.Data.Purview.Catalog +namespace Azure.Analytics.Purview.Catalog { /// The TypesRest service client. public partial class TypesRestClient diff --git a/sdk/purview/Azure.Data.Purview.Catalog/src/autorest.md b/sdk/purview/Azure.Analytics.Purview.Catalog/src/autorest.md similarity index 93% rename from sdk/purview/Azure.Data.Purview.Catalog/src/autorest.md rename to sdk/purview/Azure.Analytics.Purview.Catalog/src/autorest.md index 772a82ec2f0d..3930506b190c 100644 --- a/sdk/purview/Azure.Data.Purview.Catalog/src/autorest.md +++ b/sdk/purview/Azure.Analytics.Purview.Catalog/src/autorest.md @@ -5,7 +5,7 @@ Run `dotnet build /t:GenerateCode` to generate code. ```yaml title: Catalog input-file: https://github.com/Azure/azure-rest-api-specs/tree/6201f0ba800aae592e3efe70d73338787b674efe/specification/purview/data-plane/Azure.Purview.Catalog/preview/2020-12-01-preview/purviewcatalog.json -namespace: Azure.Data.Purview.Catalog +namespace: Azure.Analytics.Purview.Catalog low-level-client: true credential-types: TokenCredential credential-scopes: https://purview.azure.net/.default diff --git a/sdk/purview/Azure.Data.Purview.Catalog/src/properties/AssemblyInfo.cs b/sdk/purview/Azure.Analytics.Purview.Catalog/src/properties/AssemblyInfo.cs similarity index 100% rename from sdk/purview/Azure.Data.Purview.Catalog/src/properties/AssemblyInfo.cs rename to sdk/purview/Azure.Analytics.Purview.Catalog/src/properties/AssemblyInfo.cs diff --git a/sdk/purview/Azure.Data.Purview.Catalog/tests/Azure.Data.Purview.Catalog.Tests.csproj b/sdk/purview/Azure.Analytics.Purview.Catalog/tests/Azure.Analytics.Purview.Catalog.Tests.csproj similarity index 85% rename from sdk/purview/Azure.Data.Purview.Catalog/tests/Azure.Data.Purview.Catalog.Tests.csproj rename to sdk/purview/Azure.Analytics.Purview.Catalog/tests/Azure.Analytics.Purview.Catalog.Tests.csproj index 0de2c84ea2c2..2d8a74b40b06 100644 --- a/sdk/purview/Azure.Data.Purview.Catalog/tests/Azure.Data.Purview.Catalog.Tests.csproj +++ b/sdk/purview/Azure.Analytics.Purview.Catalog/tests/Azure.Analytics.Purview.Catalog.Tests.csproj @@ -12,6 +12,6 @@ - + diff --git a/sdk/purview/Azure.Data.Purview.Scanning/Azure.Data.Purview.Scanning.sln b/sdk/purview/Azure.Analytics.Purview.Scanning/Azure.Analytics.Purview.Scanning.sln similarity index 88% rename from sdk/purview/Azure.Data.Purview.Scanning/Azure.Data.Purview.Scanning.sln rename to sdk/purview/Azure.Analytics.Purview.Scanning/Azure.Analytics.Purview.Scanning.sln index 0c3e1326d17d..289f3ae93e81 100644 --- a/sdk/purview/Azure.Data.Purview.Scanning/Azure.Data.Purview.Scanning.sln +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/Azure.Analytics.Purview.Scanning.sln @@ -9,9 +9,9 @@ Project("{9A19103F-16F7-4668-BE54-9A1E7A4F7556}") = "Azure.Test.Stress", "..\..\ EndProject Project("{9A19103F-16F7-4668-BE54-9A1E7A4F7556}") = "Azure.Test.Perf", "..\..\..\common\Perf\Azure.Test.Perf\Azure.Test.Perf.csproj", "{0ED9C8A0-9A19-4750-8DD3-61D086288283}" EndProject -Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Azure.Data.Purview.Scanning", "src\Azure.Data.Purview.Scanning.csproj", "{8697A90E-3BAF-48FA-996C-0A0CE613D405}" +Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Azure.Analytics.Purview.Scanning", "src\Azure.Analytics.Purview.Scanning.csproj", "{8697A90E-3BAF-48FA-996C-0A0CE613D405}" EndProject -Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Azure.Data.Purview.Scanning.Tests", "tests\Azure.Data.Purview.Scanning.Tests.csproj", "{41F48A9A-86CC-4855-AB01-3B2F94E6E8CA}" +Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Azure.Analytics.Purview.Scanning.Tests", "tests\Azure.Analytics.Purview.Scanning.Tests.csproj", "{41F48A9A-86CC-4855-AB01-3B2F94E6E8CA}" EndProject Global GlobalSection(SolutionConfigurationPlatforms) = preSolution diff --git a/sdk/purview/Azure.Data.Purview.Scanning/CHANGELOG.md b/sdk/purview/Azure.Analytics.Purview.Scanning/CHANGELOG.md similarity index 100% rename from sdk/purview/Azure.Data.Purview.Scanning/CHANGELOG.md rename to sdk/purview/Azure.Analytics.Purview.Scanning/CHANGELOG.md diff --git a/sdk/purview/Azure.Data.Purview.Scanning/Directory.Build.props b/sdk/purview/Azure.Analytics.Purview.Scanning/Directory.Build.props similarity index 100% rename from sdk/purview/Azure.Data.Purview.Scanning/Directory.Build.props rename to sdk/purview/Azure.Analytics.Purview.Scanning/Directory.Build.props diff --git a/sdk/purview/Azure.Data.Purview.Scanning/README.md b/sdk/purview/Azure.Analytics.Purview.Scanning/README.md similarity index 96% rename from sdk/purview/Azure.Data.Purview.Scanning/README.md rename to sdk/purview/Azure.Analytics.Purview.Scanning/README.md index c934cb027e17..6f81e7584c22 100644 --- a/sdk/purview/Azure.Data.Purview.Scanning/README.md +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/README.md @@ -67,4 +67,4 @@ This project has adopted the [Microsoft Open Source Code of Conduct][code_of_con [coc_faq]: https://opensource.microsoft.com/codeofconduct/faq/ [coc_contact]: mailto:opencode@microsoft.com -![Impressions](https://azure-sdk-impressions.azurewebsites.net/api/impressions/azure-sdk-for-net%2Fsdk%2Fpurview%2FAzure.Data.Purview.Scanning%2FREADME.png) +![Impressions](https://azure-sdk-impressions.azurewebsites.net/api/impressions/azure-sdk-for-net%2Fsdk%2Fpurview%2FAzure.Analysis.Purview.Scanning%2FREADME.png) diff --git a/sdk/purview/Azure.Data.Purview.Scanning/api/Azure.Data.Purview.Scanning.netstandard2.0.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/api/Azure.Analytics.Purview.Scanning.netstandard2.0.cs similarity index 94% rename from sdk/purview/Azure.Data.Purview.Scanning/api/Azure.Data.Purview.Scanning.netstandard2.0.cs rename to sdk/purview/Azure.Analytics.Purview.Scanning/api/Azure.Analytics.Purview.Scanning.netstandard2.0.cs index d0bf4d638729..85b12324a577 100644 --- a/sdk/purview/Azure.Data.Purview.Scanning/api/Azure.Data.Purview.Scanning.netstandard2.0.cs +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/api/Azure.Analytics.Purview.Scanning.netstandard2.0.cs @@ -1,9 +1,9 @@ -namespace Azure.Data.Purview.Scanning +namespace Azure.Analytics.Purview.Scanning { public partial class AzureKeyVaultsClient { protected AzureKeyVaultsClient() { } - public AzureKeyVaultsClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Data.Purview.Scanning.ScanningClientOptions options = null) { } + public AzureKeyVaultsClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Scanning.ScanningClientOptions options = null) { } public virtual Azure.Core.Pipeline.HttpPipeline Pipeline { get { throw null; } } public virtual Azure.Response CreateAzureKeyVault(string azureKeyVaultName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual System.Threading.Tasks.Task CreateAzureKeyVaultAsync(string azureKeyVaultName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } @@ -17,7 +17,7 @@ public AzureKeyVaultsClient(System.Uri endpoint, Azure.Core.TokenCredential cred public partial class ClassificationRulesClient { protected ClassificationRulesClient() { } - public ClassificationRulesClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Data.Purview.Scanning.ScanningClientOptions options = null) { } + public ClassificationRulesClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Scanning.ScanningClientOptions options = null) { } public virtual Azure.Core.Pipeline.HttpPipeline Pipeline { get { throw null; } } public virtual Azure.Response CreateOrUpdate(string classificationRuleName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual System.Threading.Tasks.Task CreateOrUpdateAsync(string classificationRuleName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } @@ -35,7 +35,7 @@ public ClassificationRulesClient(System.Uri endpoint, Azure.Core.TokenCredential public partial class DataSourceClient { protected DataSourceClient() { } - public DataSourceClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Data.Purview.Scanning.ScanningClientOptions options = null) { } + public DataSourceClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Scanning.ScanningClientOptions options = null) { } public virtual Azure.Core.Pipeline.HttpPipeline Pipeline { get { throw null; } } public virtual Azure.Response ListUnparentedDataSourcesByAccount(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual System.Threading.Tasks.Task ListUnparentedDataSourcesByAccountAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } @@ -43,7 +43,7 @@ public DataSourceClient(System.Uri endpoint, Azure.Core.TokenCredential credenti public partial class DataSourcesClient { protected DataSourcesClient() { } - public DataSourcesClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Data.Purview.Scanning.ScanningClientOptions options = null) { } + public DataSourcesClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Scanning.ScanningClientOptions options = null) { } public virtual Azure.Core.Pipeline.HttpPipeline Pipeline { get { throw null; } } public virtual Azure.Response CreateOrUpdate(string dataSourceName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual System.Threading.Tasks.Task CreateOrUpdateAsync(string dataSourceName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } @@ -59,7 +59,7 @@ public DataSourcesClient(System.Uri endpoint, Azure.Core.TokenCredential credent public partial class FiltersClient { protected FiltersClient() { } - public FiltersClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Data.Purview.Scanning.ScanningClientOptions options = null) { } + public FiltersClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Scanning.ScanningClientOptions options = null) { } public virtual Azure.Core.Pipeline.HttpPipeline Pipeline { get { throw null; } } public virtual Azure.Response CreateOrUpdate(string dataSourceName, string scanName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual System.Threading.Tasks.Task CreateOrUpdateAsync(string dataSourceName, string scanName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } @@ -68,7 +68,7 @@ public FiltersClient(System.Uri endpoint, Azure.Core.TokenCredential credential, } public partial class ScanningClientOptions : Azure.Core.ClientOptions { - public ScanningClientOptions(Azure.Data.Purview.Scanning.ScanningClientOptions.ServiceVersion version = Azure.Data.Purview.Scanning.ScanningClientOptions.ServiceVersion.V2018_12_01_preview) { } + public ScanningClientOptions(Azure.Analytics.Purview.Scanning.ScanningClientOptions.ServiceVersion version = Azure.Analytics.Purview.Scanning.ScanningClientOptions.ServiceVersion.V2018_12_01_preview) { } public enum ServiceVersion { V2018_12_01_preview = 1, @@ -77,7 +77,7 @@ public enum ServiceVersion public partial class ScanRulesetsClient { protected ScanRulesetsClient() { } - public ScanRulesetsClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Data.Purview.Scanning.ScanningClientOptions options = null) { } + public ScanRulesetsClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Scanning.ScanningClientOptions options = null) { } public virtual Azure.Core.Pipeline.HttpPipeline Pipeline { get { throw null; } } public virtual Azure.Response CreateOrUpdate(string scanRulesetName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual System.Threading.Tasks.Task CreateOrUpdateAsync(string scanRulesetName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } @@ -91,7 +91,7 @@ public ScanRulesetsClient(System.Uri endpoint, Azure.Core.TokenCredential creden public partial class ScansClient { protected ScansClient() { } - public ScansClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Data.Purview.Scanning.ScanningClientOptions options = null) { } + public ScansClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Scanning.ScanningClientOptions options = null) { } public virtual Azure.Core.Pipeline.HttpPipeline Pipeline { get { throw null; } } public virtual Azure.Response CancelScan(string dataSourceName, string scanName, string runId, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual System.Threading.Tasks.Task CancelScanAsync(string dataSourceName, string scanName, string runId, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } @@ -111,7 +111,7 @@ public ScansClient(System.Uri endpoint, Azure.Core.TokenCredential credential, A public partial class SystemScanRulesetsClient { protected SystemScanRulesetsClient() { } - public SystemScanRulesetsClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Data.Purview.Scanning.ScanningClientOptions options = null) { } + public SystemScanRulesetsClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Scanning.ScanningClientOptions options = null) { } public virtual Azure.Core.Pipeline.HttpPipeline Pipeline { get { throw null; } } public virtual Azure.Response Get(string dataSourceType, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual System.Threading.Tasks.Task GetAsync(string dataSourceType, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } @@ -127,7 +127,7 @@ public SystemScanRulesetsClient(System.Uri endpoint, Azure.Core.TokenCredential public partial class TriggersClient { protected TriggersClient() { } - public TriggersClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Data.Purview.Scanning.ScanningClientOptions options = null) { } + public TriggersClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Scanning.ScanningClientOptions options = null) { } public virtual Azure.Core.Pipeline.HttpPipeline Pipeline { get { throw null; } } public virtual Azure.Response CreateTrigger(string dataSourceName, string scanName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual System.Threading.Tasks.Task CreateTriggerAsync(string dataSourceName, string scanName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } diff --git a/sdk/purview/Azure.Data.Purview.Scanning/src/Azure.Data.Purview.Scanning.csproj b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Azure.Analytics.Purview.Scanning.csproj similarity index 94% rename from sdk/purview/Azure.Data.Purview.Scanning/src/Azure.Data.Purview.Scanning.csproj rename to sdk/purview/Azure.Analytics.Purview.Scanning/src/Azure.Analytics.Purview.Scanning.csproj index 46ecaab04fa2..850aeafee3bd 100644 --- a/sdk/purview/Azure.Data.Purview.Scanning/src/Azure.Data.Purview.Scanning.csproj +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Azure.Analytics.Purview.Scanning.csproj @@ -1,10 +1,11 @@ An SDK for interacting with the Azure Purview Catalog service - Azure Purview Catalog SDK + Azure Purview Sacnning SDK 1.0.0-beta.1 Azure Purview $(RequiredTargetFrameworks) + $(NoWarn);AZC0001 diff --git a/sdk/purview/Azure.Data.Purview.Scanning/src/Generated/AzureKeyVaultsClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/AzureKeyVaultsClient.cs similarity index 99% rename from sdk/purview/Azure.Data.Purview.Scanning/src/Generated/AzureKeyVaultsClient.cs rename to sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/AzureKeyVaultsClient.cs index c7e4e7b444b6..32925eeb0ad9 100644 --- a/sdk/purview/Azure.Data.Purview.Scanning/src/Generated/AzureKeyVaultsClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/AzureKeyVaultsClient.cs @@ -14,7 +14,7 @@ #pragma warning disable AZC0007 -namespace Azure.Data.Purview.Scanning +namespace Azure.Analytics.Purview.Scanning { /// The AzureKeyVaults service client. public partial class AzureKeyVaultsClient diff --git a/sdk/purview/Azure.Data.Purview.Scanning/src/Generated/ClassificationRulesClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ClassificationRulesClient.cs similarity index 99% rename from sdk/purview/Azure.Data.Purview.Scanning/src/Generated/ClassificationRulesClient.cs rename to sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ClassificationRulesClient.cs index 7391f3f07989..613e7ba14fab 100644 --- a/sdk/purview/Azure.Data.Purview.Scanning/src/Generated/ClassificationRulesClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ClassificationRulesClient.cs @@ -14,7 +14,7 @@ #pragma warning disable AZC0007 -namespace Azure.Data.Purview.Scanning +namespace Azure.Analytics.Purview.Scanning { /// The ClassificationRules service client. public partial class ClassificationRulesClient diff --git a/sdk/purview/Azure.Data.Purview.Scanning/src/Generated/DataSourceClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/DataSourceClient.cs similarity index 98% rename from sdk/purview/Azure.Data.Purview.Scanning/src/Generated/DataSourceClient.cs rename to sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/DataSourceClient.cs index 1d797fa9697e..e650723a29db 100644 --- a/sdk/purview/Azure.Data.Purview.Scanning/src/Generated/DataSourceClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/DataSourceClient.cs @@ -14,7 +14,7 @@ #pragma warning disable AZC0007 -namespace Azure.Data.Purview.Scanning +namespace Azure.Analytics.Purview.Scanning { /// The DataSource service client. public partial class DataSourceClient diff --git a/sdk/purview/Azure.Data.Purview.Scanning/src/Generated/DataSourcesClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/DataSourcesClient.cs similarity index 99% rename from sdk/purview/Azure.Data.Purview.Scanning/src/Generated/DataSourcesClient.cs rename to sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/DataSourcesClient.cs index 14eae6f107b4..2823d37e30d0 100644 --- a/sdk/purview/Azure.Data.Purview.Scanning/src/Generated/DataSourcesClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/DataSourcesClient.cs @@ -14,7 +14,7 @@ #pragma warning disable AZC0007 -namespace Azure.Data.Purview.Scanning +namespace Azure.Analytics.Purview.Scanning { /// The DataSources service client. public partial class DataSourcesClient diff --git a/sdk/purview/Azure.Data.Purview.Scanning/src/Generated/FiltersClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/FiltersClient.cs similarity index 99% rename from sdk/purview/Azure.Data.Purview.Scanning/src/Generated/FiltersClient.cs rename to sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/FiltersClient.cs index 5e1b606e8c37..8cde55568cc6 100644 --- a/sdk/purview/Azure.Data.Purview.Scanning/src/Generated/FiltersClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/FiltersClient.cs @@ -14,7 +14,7 @@ #pragma warning disable AZC0007 -namespace Azure.Data.Purview.Scanning +namespace Azure.Analytics.Purview.Scanning { /// The Filters service client. public partial class FiltersClient diff --git a/sdk/purview/Azure.Data.Purview.Scanning/src/Generated/ScanRulesetsClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ScanRulesetsClient.cs similarity index 99% rename from sdk/purview/Azure.Data.Purview.Scanning/src/Generated/ScanRulesetsClient.cs rename to sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ScanRulesetsClient.cs index f7a0b388a351..03b386e933b7 100644 --- a/sdk/purview/Azure.Data.Purview.Scanning/src/Generated/ScanRulesetsClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ScanRulesetsClient.cs @@ -14,7 +14,7 @@ #pragma warning disable AZC0007 -namespace Azure.Data.Purview.Scanning +namespace Azure.Analytics.Purview.Scanning { /// The ScanRulesets service client. public partial class ScanRulesetsClient diff --git a/sdk/purview/Azure.Data.Purview.Scanning/src/Generated/ScanningClientOptions.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ScanningClientOptions.cs similarity index 96% rename from sdk/purview/Azure.Data.Purview.Scanning/src/Generated/ScanningClientOptions.cs rename to sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ScanningClientOptions.cs index 5c01feb2371a..a91b334fe890 100644 --- a/sdk/purview/Azure.Data.Purview.Scanning/src/Generated/ScanningClientOptions.cs +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ScanningClientOptions.cs @@ -8,7 +8,7 @@ using System; using Azure.Core; -namespace Azure.Data.Purview.Scanning +namespace Azure.Analytics.Purview.Scanning { /// Client options for ScanningClient. public partial class ScanningClientOptions : ClientOptions diff --git a/sdk/purview/Azure.Data.Purview.Scanning/src/Generated/ScansClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ScansClient.cs similarity index 99% rename from sdk/purview/Azure.Data.Purview.Scanning/src/Generated/ScansClient.cs rename to sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ScansClient.cs index f3140f3836fa..0b9fcc1151b1 100644 --- a/sdk/purview/Azure.Data.Purview.Scanning/src/Generated/ScansClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ScansClient.cs @@ -14,7 +14,7 @@ #pragma warning disable AZC0007 -namespace Azure.Data.Purview.Scanning +namespace Azure.Analytics.Purview.Scanning { /// The Scans service client. public partial class ScansClient diff --git a/sdk/purview/Azure.Data.Purview.Scanning/src/Generated/SystemScanRulesetsClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/SystemScanRulesetsClient.cs similarity index 99% rename from sdk/purview/Azure.Data.Purview.Scanning/src/Generated/SystemScanRulesetsClient.cs rename to sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/SystemScanRulesetsClient.cs index ae27773c32f9..c9eec7fe44b7 100644 --- a/sdk/purview/Azure.Data.Purview.Scanning/src/Generated/SystemScanRulesetsClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/SystemScanRulesetsClient.cs @@ -14,7 +14,7 @@ #pragma warning disable AZC0007 -namespace Azure.Data.Purview.Scanning +namespace Azure.Analytics.Purview.Scanning { /// The SystemScanRulesets service client. public partial class SystemScanRulesetsClient diff --git a/sdk/purview/Azure.Data.Purview.Scanning/src/Generated/TriggersClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/TriggersClient.cs similarity index 99% rename from sdk/purview/Azure.Data.Purview.Scanning/src/Generated/TriggersClient.cs rename to sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/TriggersClient.cs index 8446f5d3aa17..1d443c45e3e4 100644 --- a/sdk/purview/Azure.Data.Purview.Scanning/src/Generated/TriggersClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/TriggersClient.cs @@ -14,7 +14,7 @@ #pragma warning disable AZC0007 -namespace Azure.Data.Purview.Scanning +namespace Azure.Analytics.Purview.Scanning { /// The Triggers service client. public partial class TriggersClient diff --git a/sdk/purview/Azure.Data.Purview.Scanning/src/autorest.md b/sdk/purview/Azure.Analytics.Purview.Scanning/src/autorest.md similarity index 65% rename from sdk/purview/Azure.Data.Purview.Scanning/src/autorest.md rename to sdk/purview/Azure.Analytics.Purview.Scanning/src/autorest.md index 191b2e010d83..36ff145b61c0 100644 --- a/sdk/purview/Azure.Data.Purview.Scanning/src/autorest.md +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/autorest.md @@ -4,8 +4,8 @@ Run `dotnet build /t:GenerateCode` to generate code. ```yaml title: Scanning -input-file: https://github.com/parvsaxena/azure-rest-api-specs/blob/03bf267a86a7bc253b1a96a25425e1768f2a0002/specification/purview/data-plane/Azure.Data.Purview.Scanning/preview/2018-12-01-preview/scanningService.json -namespace: Azure.Data.Purview.Scanning +input-file: https://github.com/Azure/azure-rest-api-specs/blob/8478d2280c54d0065ac6271e39321849c090c659/specification/purview/data-plane/Azure.Data.Purview.Scanning/preview/2018-12-01-preview/scanningService.json +namespace: Azure.Analytics.Purview.Scanning low-level-client: true credential-types: TokenCredential credential-scopes: https://purview.azure.net/.default diff --git a/sdk/purview/Azure.Data.Purview.Scanning/src/properties/AssemblyInfo.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/properties/AssemblyInfo.cs similarity index 100% rename from sdk/purview/Azure.Data.Purview.Scanning/src/properties/AssemblyInfo.cs rename to sdk/purview/Azure.Analytics.Purview.Scanning/src/properties/AssemblyInfo.cs diff --git a/sdk/purview/Azure.Data.Purview.Scanning/tests/Azure.Data.Purview.Scanning.Tests.csproj b/sdk/purview/Azure.Analytics.Purview.Scanning/tests/Azure.Analytics.Purview.Scanning.Tests.csproj similarity index 85% rename from sdk/purview/Azure.Data.Purview.Scanning/tests/Azure.Data.Purview.Scanning.Tests.csproj rename to sdk/purview/Azure.Analytics.Purview.Scanning/tests/Azure.Analytics.Purview.Scanning.Tests.csproj index 09541c453908..160bf9a27214 100644 --- a/sdk/purview/Azure.Data.Purview.Scanning/tests/Azure.Data.Purview.Scanning.Tests.csproj +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/tests/Azure.Analytics.Purview.Scanning.Tests.csproj @@ -12,6 +12,6 @@ - + diff --git a/sdk/purview/ci.yml b/sdk/purview/ci.yml index 28fa427ccdf2..074d104b00fe 100644 --- a/sdk/purview/ci.yml +++ b/sdk/purview/ci.yml @@ -31,7 +31,7 @@ extends: ServiceDirectory: purview ArtifactName: packages Artifacts: - - name: Azure.Data.Purview.Catalog - safeName: AzureDataPurviewCatalog - - name: Azure.Data.Purview.Scanning - safeName: AzureDataPurviewScanning + - name: Azure.Analytics.Purview.Catalog + safeName: AzureAnalyticsPurviewCatalog + - name: Azure.Analytics.Purview.Scanning + safeName: AzureAnalyticsPurviewScanning From 5a76420f9e02b586edffd08e33711ba1bbdaf556 Mon Sep 17 00:00:00 2001 From: minnieliu Date: Mon, 3 May 2021 12:21:56 -0700 Subject: [PATCH 18/37] [Communication] - TNM - Modifying Update Capabilities Phone number tests (#20761) * Modifying Update Capabilities Phone number tests * Rerun pipeline Co-authored-by: Minnie Liu --- .../PhoneNumbersClientLiveTests.cs | 17 +- .../UpdateCapabilities.json | 446 +++------------- .../UpdateCapabilitiesAsyncAsync.json | 493 +++--------------- 3 files changed, 149 insertions(+), 807 deletions(-) diff --git a/sdk/communication/Azure.Communication.PhoneNumbers/tests/PhoneNumbersClient/PhoneNumbersClientLiveTests.cs b/sdk/communication/Azure.Communication.PhoneNumbers/tests/PhoneNumbersClient/PhoneNumbersClientLiveTests.cs index e764cffc529c..270157ca2bbd 100644 --- a/sdk/communication/Azure.Communication.PhoneNumbers/tests/PhoneNumbersClient/PhoneNumbersClientLiveTests.cs +++ b/sdk/communication/Azure.Communication.PhoneNumbers/tests/PhoneNumbersClient/PhoneNumbersClientLiveTests.cs @@ -175,15 +175,17 @@ public async Task UpdateCapabilitiesAsync() var number = GetTestPhoneNumber(); var client = CreateClient(); - var updateOperation = await client.StartUpdateCapabilitiesAsync(number, PhoneNumberCapabilityType.Outbound, PhoneNumberCapabilityType.Outbound); + var phoneNumber = await client.GetPurchasedPhoneNumberAsync(number); + PhoneNumberCapabilityType callingCapabilityType = phoneNumber.Value.Capabilities.Calling == PhoneNumberCapabilityType.Inbound ? PhoneNumberCapabilityType.Outbound : PhoneNumberCapabilityType.Inbound; + PhoneNumberCapabilityType smsCapabilityType = phoneNumber.Value.Capabilities.Sms == PhoneNumberCapabilityType.InboundOutbound ? PhoneNumberCapabilityType.Outbound : PhoneNumberCapabilityType.InboundOutbound; + var updateOperation = await client.StartUpdateCapabilitiesAsync(number, callingCapabilityType, smsCapabilityType); await updateOperation.WaitForCompletionAsync(); Assert.IsTrue(updateOperation.HasCompleted); Assert.IsNotNull(updateOperation.Value); Assert.AreEqual(number, updateOperation.Value.PhoneNumber); - Assert.AreEqual(PhoneNumberCapabilityType.Outbound, updateOperation.Value.Capabilities.Calling); - Assert.AreEqual(PhoneNumberCapabilityType.Outbound, updateOperation.Value.Capabilities.Sms); + Assert.AreEqual(200, updateOperation.GetRawResponse().Status); } [Test] @@ -193,7 +195,11 @@ public void UpdateCapabilities() var number = GetTestPhoneNumber(); var client = CreateClient(); - var updateOperation = client.StartUpdateCapabilities(number, PhoneNumberCapabilityType.Outbound, PhoneNumberCapabilityType.Outbound); + var phoneNumber = client.GetPurchasedPhoneNumber(number); + PhoneNumberCapabilityType callingCapabilityType = phoneNumber.Value.Capabilities.Calling == PhoneNumberCapabilityType.Inbound? PhoneNumberCapabilityType.Outbound : PhoneNumberCapabilityType.Inbound; + PhoneNumberCapabilityType smsCapabilityType = phoneNumber.Value.Capabilities.Sms == PhoneNumberCapabilityType.InboundOutbound ? PhoneNumberCapabilityType.Outbound : PhoneNumberCapabilityType.InboundOutbound; + + var updateOperation = client.StartUpdateCapabilities(number, callingCapabilityType, smsCapabilityType); while (!updateOperation.HasCompleted) { @@ -204,8 +210,7 @@ public void UpdateCapabilities() Assert.IsTrue(updateOperation.HasCompleted); Assert.IsNotNull(updateOperation.Value); Assert.AreEqual(number, updateOperation.Value.PhoneNumber); - Assert.AreEqual(PhoneNumberCapabilityType.Outbound, updateOperation.Value.Capabilities.Calling); - Assert.AreEqual(PhoneNumberCapabilityType.Outbound, updateOperation.Value.Capabilities.Sms); + Assert.AreEqual(200, updateOperation.GetRawResponse().Status); } } } diff --git a/sdk/communication/Azure.Communication.PhoneNumbers/tests/SessionRecords/PhoneNumbersClientLiveTests/UpdateCapabilities.json b/sdk/communication/Azure.Communication.PhoneNumbers/tests/SessionRecords/PhoneNumbersClientLiveTests/UpdateCapabilities.json index 87a72d22cc61..0f5d69556232 100644 --- a/sdk/communication/Azure.Communication.PhoneNumbers/tests/SessionRecords/PhoneNumbersClientLiveTests/UpdateCapabilities.json +++ b/sdk/communication/Azure.Communication.PhoneNumbers/tests/SessionRecords/PhoneNumbersClientLiveTests/UpdateCapabilities.json @@ -1,391 +1,93 @@ { "Entries": [ { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/Sanitized/capabilities?api-version=2021-03-07", - "RequestMethod": "PATCH", + "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/Sanitized?api-version=2021-03-07", + "RequestMethod": "GET", "RequestHeaders": { "Accept": "application/json", "Authorization": "Sanitized", - "Content-Length": "39", - "Content-Type": "application/merge-patch\u002Bjson", - "Date": "Wed, 07 Apr 2021 00:48:45 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", + "Date": "Thu, 29 Apr 2021 19:55:08 GMT", + "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.1-alpha.20210429.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", "x-ms-client-request-id": "fdb8eedc8c6e85355b2f3f1e43c93362", "x-ms-content-sha256": "Sanitized", "x-ms-return-client-request-id": "true" }, - "RequestBody": { - "calling": "outbound", - "sms": "outbound" - }, - "StatusCode": 202, - "ResponseHeaders": { - "Access-Control-Expose-Headers": "Operation-Location,Location,operation-id,capabilities-id", - "api-supported-versions": "2021-03-07", - "capabilities-id": "2414810f-4ed7-4a09-8a20-edc23a554b11", - "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:48:46 GMT", - "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "SSmC63aPSEm/mXbMVFRVRw.0", - "operation-id": "capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11", - "Operation-Location": "/phoneNumbers/operations/capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11?api-version=2021-03-07", - "Request-Context": "appId=", - "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0bQFtYAAAAADtso/kLt\u002B8QIgP5DClnl2bWVZSMzBFREdFMDMxMwA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "1015ms" - }, - "ResponseBody": { - "capabilitiesUpdateId": "2414810f-4ed7-4a09-8a20-edc23a554b11" - } - }, - { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11?api-version=2021-03-07", - "RequestMethod": "GET", - "RequestHeaders": { - "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:48:49 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "b0001967c49d5c83528bee8743fea6d4", - "x-ms-content-sha256": "Sanitized", - "x-ms-return-client-request-id": "true" - }, - "RequestBody": null, - "StatusCode": 200, - "ResponseHeaders": { - "Access-Control-Expose-Headers": "Location", - "api-supported-versions": "2021-03-07", - "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:48:49 GMT", - "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "PIxDz5hBXUS/kbcHHZDO0A.0", - "Request-Context": "appId=", - "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0cAFtYAAAAAA75Jo\u002BcaEdTJ5f\u002BK9MyXTGWVZSMzBFREdFMDMxMwA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "312ms" - }, - "ResponseBody": { - "status": "running", - "resourceLocation": "/phoneNumbers/Sanitized?api-version=2021-03-07", - "createdDateTime": "2021-04-07T00:48:46.3915819\u002B00:00", - "id": "capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11", - "operationType": "updatePhoneNumberCapabilities", - "lastActionDateTime": "0001-01-01T00:00:00\u002B00:00" - } - }, - { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11?api-version=2021-03-07", - "RequestMethod": "GET", - "RequestHeaders": { - "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:48:51 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "15201d462303555166b76497f0706480", - "x-ms-content-sha256": "Sanitized", - "x-ms-return-client-request-id": "true" - }, - "RequestBody": null, - "StatusCode": 200, - "ResponseHeaders": { - "Access-Control-Expose-Headers": "Location", - "api-supported-versions": "2021-03-07", - "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:48:51 GMT", - "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "T0lwC36EPECuLQNd0kA5yg.0", - "Request-Context": "appId=", - "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0cwFtYAAAAACsK9sGULQJTosBN7agcMiyWVZSMzBFREdFMDMxMwA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "305ms" - }, - "ResponseBody": { - "status": "running", - "resourceLocation": "/phoneNumbers/Sanitized?api-version=2021-03-07", - "createdDateTime": "2021-04-07T00:48:46.3915819\u002B00:00", - "id": "capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11", - "operationType": "updatePhoneNumberCapabilities", - "lastActionDateTime": "0001-01-01T00:00:00\u002B00:00" - } - }, - { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11?api-version=2021-03-07", - "RequestMethod": "GET", - "RequestHeaders": { - "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:48:54 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "29b6f17282c853c43f16f36b9700bd9a", - "x-ms-content-sha256": "Sanitized", - "x-ms-return-client-request-id": "true" - }, "RequestBody": null, "StatusCode": 200, "ResponseHeaders": { - "Access-Control-Expose-Headers": "Location", "api-supported-versions": "2021-03-07", "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:48:53 GMT", - "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "Ml/inFzvKUqiKn/4RHfgxA.0", + "Date": "Thu, 29 Apr 2021 19:55:09 GMT", + "MS-CV": "XkByzam0v0GDggUOSzLUwg.0", "Request-Context": "appId=", "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0dQFtYAAAAADGqo\u002BfDhm5RZTcXMawXFIwWVZSMzBFREdFMDMxMwA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "312ms" + "X-Azure-Ref": "0HA\u002BLYAAAAACASFqA1A//S7m5qq/2N9lUWVZSMzBFREdFMDQyMQA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", + "X-Processing-Time": "1715ms" }, "ResponseBody": { - "status": "running", - "resourceLocation": "/phoneNumbers/Sanitized?api-version=2021-03-07", - "createdDateTime": "2021-04-07T00:48:46.3915819\u002B00:00", - "id": "capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11", - "operationType": "updatePhoneNumberCapabilities", - "lastActionDateTime": "0001-01-01T00:00:00\u002B00:00" - } - }, - { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11?api-version=2021-03-07", - "RequestMethod": "GET", - "RequestHeaders": { - "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:48:56 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "037dc730a6b9444ac8ab49e660eb6be1", - "x-ms-content-sha256": "Sanitized", - "x-ms-return-client-request-id": "true" - }, - "RequestBody": null, - "StatusCode": 200, - "ResponseHeaders": { - "Access-Control-Expose-Headers": "Location", - "api-supported-versions": "2021-03-07", - "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:48:56 GMT", - "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "vZv9tk5040qZSciL4DyO3g.0", - "Request-Context": "appId=", - "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0eAFtYAAAAADSJNMWZcG2S41uj1tG4sOeWVZSMzBFREdFMDMxMwA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "413ms" - }, - "ResponseBody": { - "status": "running", - "resourceLocation": "/phoneNumbers/Sanitized?api-version=2021-03-07", - "createdDateTime": "2021-04-07T00:48:46.3915819\u002B00:00", - "id": "capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11", - "operationType": "updatePhoneNumberCapabilities", - "lastActionDateTime": "0001-01-01T00:00:00\u002B00:00" - } - }, - { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11?api-version=2021-03-07", - "RequestMethod": "GET", - "RequestHeaders": { - "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:48:58 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "52146d277d47c40b58ccd6ed30e5bd66", - "x-ms-content-sha256": "Sanitized", - "x-ms-return-client-request-id": "true" - }, - "RequestBody": null, - "StatusCode": 200, - "ResponseHeaders": { - "Access-Control-Expose-Headers": "Location", - "api-supported-versions": "2021-03-07", - "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:48:58 GMT", - "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "7gBQeE8RJ0CUvOmIQdrXxA.0", - "Request-Context": "appId=", - "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0egFtYAAAAAAWwjnclft8RaFhfx9vdG84WVZSMzBFREdFMDMxMwA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "296ms" - }, - "ResponseBody": { - "status": "running", - "resourceLocation": "/phoneNumbers/Sanitized?api-version=2021-03-07", - "createdDateTime": "2021-04-07T00:48:46.3915819\u002B00:00", - "id": "capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11", - "operationType": "updatePhoneNumberCapabilities", - "lastActionDateTime": "0001-01-01T00:00:00\u002B00:00" - } - }, - { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11?api-version=2021-03-07", - "RequestMethod": "GET", - "RequestHeaders": { - "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:49:01 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "2867caf960f3cbc7a672611d38def353", - "x-ms-content-sha256": "Sanitized", - "x-ms-return-client-request-id": "true" - }, - "RequestBody": null, - "StatusCode": 200, - "ResponseHeaders": { - "Access-Control-Expose-Headers": "Location", - "api-supported-versions": "2021-03-07", - "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:49:00 GMT", - "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "87XR37EVeECj7t6TN1J8LA.0", - "Request-Context": "appId=", - "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0fAFtYAAAAAC4MQE6bbEdQqCvdV2GEY5\u002BWVZSMzBFREdFMDMxMwA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "285ms" - }, - "ResponseBody": { - "status": "running", - "resourceLocation": "/phoneNumbers/Sanitized?api-version=2021-03-07", - "createdDateTime": "2021-04-07T00:48:46.3915819\u002B00:00", - "id": "capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11", - "operationType": "updatePhoneNumberCapabilities", - "lastActionDateTime": "0001-01-01T00:00:00\u002B00:00" - } - }, - { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11?api-version=2021-03-07", - "RequestMethod": "GET", - "RequestHeaders": { - "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:49:03 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "294411aa6bebb352bcb8aaecd05c13e2", - "x-ms-content-sha256": "Sanitized", - "x-ms-return-client-request-id": "true" - }, - "RequestBody": null, - "StatusCode": 200, - "ResponseHeaders": { - "Access-Control-Expose-Headers": "Location", - "api-supported-versions": "2021-03-07", - "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:49:03 GMT", - "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "zLYllR58IkSnMo7pD8TQvA.0", - "Request-Context": "appId=", - "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0fwFtYAAAAACUpOjqNEVvRL5bQEewsRo6WVZSMzBFREdFMDMxMwA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "295ms" - }, - "ResponseBody": { - "status": "running", - "resourceLocation": "/phoneNumbers/Sanitized?api-version=2021-03-07", - "createdDateTime": "2021-04-07T00:48:46.3915819\u002B00:00", - "id": "capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11", - "operationType": "updatePhoneNumberCapabilities", - "lastActionDateTime": "0001-01-01T00:00:00\u002B00:00" - } - }, - { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11?api-version=2021-03-07", - "RequestMethod": "GET", - "RequestHeaders": { - "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:49:06 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "96ece2ed4384c6eea648abd41bed8b7a", - "x-ms-content-sha256": "Sanitized", - "x-ms-return-client-request-id": "true" - }, - "RequestBody": null, - "StatusCode": 200, - "ResponseHeaders": { - "Access-Control-Expose-Headers": "Location", - "api-supported-versions": "2021-03-07", - "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:49:05 GMT", - "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "R/uhz9hT7ESxXhUcNWeV9g.0", - "Request-Context": "appId=", - "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0gQFtYAAAAAAL0Z6FCTGKSKIMVqmUyn01WVZSMzBFREdFMDMxMwA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "293ms" - }, - "ResponseBody": { - "status": "running", - "resourceLocation": "/phoneNumbers/Sanitized?api-version=2021-03-07", - "createdDateTime": "2021-04-07T00:48:46.3915819\u002B00:00", - "id": "capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11", - "operationType": "updatePhoneNumberCapabilities", - "lastActionDateTime": "0001-01-01T00:00:00\u002B00:00" + "id": "Sanitized", + "phoneNumber": "Sanitized", + "countryCode": "US", + "phoneNumberType": "tollFree", + "capabilities": { + "calling": "outbound", + "sms": "outbound" + }, + "assignmentType": "application", + "purchaseDate": "2021-02-10T17:52:41.818335\u002B00:00", + "cost": { + "amount": 2.0, + "currencyCode": "USD", + "billingFrequency": "monthly" + } } }, { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11?api-version=2021-03-07", - "RequestMethod": "GET", + "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/Sanitized/capabilities?api-version=2021-03-07", + "RequestMethod": "PATCH", "RequestHeaders": { + "Accept": "application/json", "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:49:08 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "1f4383d993a18e7b77b36c3ab5dafb49", + "Content-Length": "51", + "Content-Type": "application/merge-patch\u002Bjson", + "Date": "Thu, 29 Apr 2021 19:55:38 GMT", + "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.1-alpha.20210429.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", + "x-ms-client-request-id": "4572c21886f7018798d79bc421dabc4e", "x-ms-content-sha256": "Sanitized", "x-ms-return-client-request-id": "true" }, - "RequestBody": null, - "StatusCode": 200, - "ResponseHeaders": { - "Access-Control-Expose-Headers": "Location", - "api-supported-versions": "2021-03-07", - "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:49:07 GMT", - "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "YAkRKA2YykisYoLkOFvrUA.0", - "Request-Context": "appId=", - "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0gwFtYAAAAABehuSWVUaFQIQlS8DiQeTtWVZSMzBFREdFMDMxMwA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "293ms" - }, - "ResponseBody": { - "status": "running", - "resourceLocation": "/phoneNumbers/Sanitized?api-version=2021-03-07", - "createdDateTime": "2021-04-07T00:48:46.3915819\u002B00:00", - "id": "capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11", - "operationType": "updatePhoneNumberCapabilities", - "lastActionDateTime": "0001-01-01T00:00:00\u002B00:00" - } - }, - { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11?api-version=2021-03-07", - "RequestMethod": "GET", - "RequestHeaders": { - "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:49:10 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "552f7e5f5df167cf237d83a2bf7d97ce", - "x-ms-content-sha256": "Sanitized", - "x-ms-return-client-request-id": "true" + "RequestBody": { + "calling": "inbound", + "sms": "inbound\u002Boutbound" }, - "RequestBody": null, - "StatusCode": 200, + "StatusCode": 202, "ResponseHeaders": { - "Access-Control-Expose-Headers": "Location", + "Access-Control-Expose-Headers": "Operation-Location,Location,operation-id,capabilities-id", "api-supported-versions": "2021-03-07", + "capabilities-id": "00b0bfd7-416e-4207-8132-df23482a74ae", "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:49:10 GMT", + "Date": "Thu, 29 Apr 2021 19:55:38 GMT", "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "kK66M1xKWk\u002B5o7XTactPHQ.0", + "MS-CV": "6WXxUnghMUeY26GQHtcBLA.0", + "operation-id": "capabilities_00b0bfd7-416e-4207-8132-df23482a74ae", + "Operation-Location": "/phoneNumbers/operations/capabilities_00b0bfd7-416e-4207-8132-df23482a74ae?api-version=2021-03-07", "Request-Context": "appId=", "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0hgFtYAAAAAD7dDIZkRFBQ7qwelunUpQrWVZSMzBFREdFMDMxMwA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "489ms" + "X-Azure-Ref": "0OA\u002BLYAAAAAB1RywiLAA4ToWgF21MJS\u002BUWVZSMzBFREdFMDQyMQA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", + "X-Processing-Time": "1829ms" }, "ResponseBody": { - "status": "running", - "resourceLocation": "/phoneNumbers/Sanitized?api-version=2021-03-07", - "createdDateTime": "2021-04-07T00:48:46.3915819\u002B00:00", - "id": "capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11", - "operationType": "updatePhoneNumberCapabilities", - "lastActionDateTime": "0001-01-01T00:00:00\u002B00:00" + "capabilitiesUpdateId": "00b0bfd7-416e-4207-8132-df23482a74ae" } }, { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11?api-version=2021-03-07", + "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_00b0bfd7-416e-4207-8132-df23482a74ae?api-version=2021-03-07", "RequestMethod": "GET", "RequestHeaders": { "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:49:13 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "4c132f2df4195a41675e1ed0d6b311cb", + "Date": "Thu, 29 Apr 2021 19:55:45 GMT", + "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.1-alpha.20210429.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", + "x-ms-client-request-id": "15201d462303555166b76497f0706480", "x-ms-content-sha256": "Sanitized", "x-ms-return-client-request-id": "true" }, @@ -395,31 +97,31 @@ "Access-Control-Expose-Headers": "Location", "api-supported-versions": "2021-03-07", "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:49:12 GMT", + "Date": "Thu, 29 Apr 2021 19:55:44 GMT", "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "Y9VeFk4D4EKzA0UmOBrJDg.0", + "MS-CV": "XezEHAggpUWlxlgANKYB2Q.0", "Request-Context": "appId=", "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0iAFtYAAAAAB57bb8dGZgTKVbzzQQqyWcWVZSMzBFREdFMDMxMwA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "277ms" + "X-Azure-Ref": "0Pw\u002BLYAAAAADvdF0Yq4t6RLwcCLj3vaWOWVZSMzBFREdFMDQyMQA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", + "X-Processing-Time": "1061ms" }, "ResponseBody": { "status": "running", "resourceLocation": "/phoneNumbers/Sanitized?api-version=2021-03-07", - "createdDateTime": "2021-04-07T00:48:46.3915819\u002B00:00", - "id": "capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11", + "createdDateTime": "2021-04-29T19:55:38.3644026\u002B00:00", + "id": "capabilities_00b0bfd7-416e-4207-8132-df23482a74ae", "operationType": "updatePhoneNumberCapabilities", "lastActionDateTime": "0001-01-01T00:00:00\u002B00:00" } }, { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11?api-version=2021-03-07", + "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_00b0bfd7-416e-4207-8132-df23482a74ae?api-version=2021-03-07", "RequestMethod": "GET", "RequestHeaders": { "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:49:15 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "9d75624d36bd7b89b3dcfc230fd9cff9", + "Date": "Thu, 29 Apr 2021 19:55:48 GMT", + "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.1-alpha.20210429.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", + "x-ms-client-request-id": "29b6f17282c853c43f16f36b9700bd9a", "x-ms-content-sha256": "Sanitized", "x-ms-return-client-request-id": "true" }, @@ -429,19 +131,19 @@ "Access-Control-Expose-Headers": "Location", "api-supported-versions": "2021-03-07", "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:49:14 GMT", + "Date": "Thu, 29 Apr 2021 19:55:46 GMT", "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "nY7WV4UK2Em7blETG7ZcuQ.0", + "MS-CV": "HwgC\u002BxwY20uy23OicYY9SQ.0", "Request-Context": "appId=", "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0iwFtYAAAAACG9oMzNwipQo/APD19mDjwWVZSMzBFREdFMDMxMwA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "327ms" + "X-Azure-Ref": "0Qw\u002BLYAAAAABnRQH9BYdWTZgXuXBLv\u002Bb2WVZSMzBFREdFMDQyMQA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", + "X-Processing-Time": "317ms" }, "ResponseBody": { "status": "succeeded", "resourceLocation": "/phoneNumbers/Sanitized?api-version=2021-03-07", - "createdDateTime": "2021-04-07T00:48:46.3915819\u002B00:00", - "id": "capabilities_2414810f-4ed7-4a09-8a20-edc23a554b11", + "createdDateTime": "2021-04-29T19:55:38.3644026\u002B00:00", + "id": "capabilities_00b0bfd7-416e-4207-8132-df23482a74ae", "operationType": "updatePhoneNumberCapabilities", "lastActionDateTime": "0001-01-01T00:00:00\u002B00:00" } @@ -451,9 +153,9 @@ "RequestMethod": "GET", "RequestHeaders": { "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:49:16 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "850d9e1baec76a303dd5ee923efe906f", + "Date": "Thu, 29 Apr 2021 19:55:48 GMT", + "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.1-alpha.20210429.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", + "x-ms-client-request-id": "037dc730a6b9444ac8ab49e660eb6be1", "x-ms-content-sha256": "Sanitized", "x-ms-return-client-request-id": "true" }, @@ -462,12 +164,12 @@ "ResponseHeaders": { "api-supported-versions": "2021-03-07", "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:49:16 GMT", - "MS-CV": "DsgZXdGXqE\u002Byj7IpH2TMYA.0", + "Date": "Thu, 29 Apr 2021 19:55:47 GMT", + "MS-CV": "kj6iIYjVI0eTCM9zczJ2zg.0", "Request-Context": "appId=", "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0iwFtYAAAAAC5vTRWDfvQSprzNL6NlaQTWVZSMzBFREdFMDMxMwA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "1426ms" + "X-Azure-Ref": "0Qw\u002BLYAAAAABm6sZWPhjiQ6jK7HPQ2mauWVZSMzBFREdFMDQyMQA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", + "X-Processing-Time": "1083ms" }, "ResponseBody": { "id": "Sanitized", @@ -475,11 +177,11 @@ "countryCode": "US", "phoneNumberType": "tollFree", "capabilities": { - "calling": "outbound", - "sms": "outbound" + "calling": "inbound", + "sms": "inbound\u002Boutbound" }, "assignmentType": "application", - "purchaseDate": "2000-01-01T00:00:00\u002B00:00", + "purchaseDate": "2021-02-10T17:52:41.818335\u002B00:00", "cost": { "amount": 2.0, "currencyCode": "USD", diff --git a/sdk/communication/Azure.Communication.PhoneNumbers/tests/SessionRecords/PhoneNumbersClientLiveTests/UpdateCapabilitiesAsyncAsync.json b/sdk/communication/Azure.Communication.PhoneNumbers/tests/SessionRecords/PhoneNumbersClientLiveTests/UpdateCapabilitiesAsyncAsync.json index 49e6f9417079..a1bbcb39e2ca 100644 --- a/sdk/communication/Azure.Communication.PhoneNumbers/tests/SessionRecords/PhoneNumbersClientLiveTests/UpdateCapabilitiesAsyncAsync.json +++ b/sdk/communication/Azure.Communication.PhoneNumbers/tests/SessionRecords/PhoneNumbersClientLiveTests/UpdateCapabilitiesAsyncAsync.json @@ -1,460 +1,95 @@ { "Entries": [ { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/Sanitized/capabilities?api-version=2021-03-07", - "RequestMethod": "PATCH", + "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/Sanitized?api-version=2021-03-07", + "RequestMethod": "GET", "RequestHeaders": { "Accept": "application/json", "Authorization": "Sanitized", - "Content-Length": "39", - "Content-Type": "application/merge-patch\u002Bjson", - "Date": "Wed, 07 Apr 2021 00:49:52 GMT", - "traceparent": "00-c57a95cdbcedd14b8253faf4a21f46c5-d86a51f3f1c2004d-00", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", + "Date": "Thu, 29 Apr 2021 19:48:29 GMT", + "traceparent": "00-ceb24148840ec044b03df714500f7e8b-7b07361dbce78946-00", + "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.1-alpha.20210429.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", "x-ms-client-request-id": "4ccfa9c62e809c1b9fb83dfbff83fc88", "x-ms-content-sha256": "Sanitized", "x-ms-return-client-request-id": "true" }, - "RequestBody": { - "calling": "outbound", - "sms": "outbound" - }, - "StatusCode": 202, - "ResponseHeaders": { - "Access-Control-Expose-Headers": "Operation-Location,Location,operation-id,capabilities-id", - "api-supported-versions": "2021-03-07", - "capabilities-id": "f93cce7a-fd1c-493c-a398-bd31a119c038", - "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:49:52 GMT", - "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "aiTXWXb1PEWnw5mCLFjZxA.0", - "operation-id": "capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038", - "Operation-Location": "/phoneNumbers/operations/capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038?api-version=2021-03-07", - "Request-Context": "appId=", - "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0sAFtYAAAAACE93w61Q4KS5Z/G95q3jO5WVZSMzBFREdFMDQyMQA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "1177ms" - }, - "ResponseBody": { - "capabilitiesUpdateId": "f93cce7a-fd1c-493c-a398-bd31a119c038" - } - }, - { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038?api-version=2021-03-07", - "RequestMethod": "GET", - "RequestHeaders": { - "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:49:54 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "3eebce37032c94b8b423bc7b6a0aaff3", - "x-ms-content-sha256": "Sanitized", - "x-ms-return-client-request-id": "true" - }, - "RequestBody": null, - "StatusCode": 200, - "ResponseHeaders": { - "Access-Control-Expose-Headers": "Location", - "api-supported-versions": "2021-03-07", - "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:49:54 GMT", - "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "wntazTtEXUufVyVkQDD1oA.0", - "Request-Context": "appId=", - "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0sQFtYAAAAADl3\u002B4Vg3T6TaPHmbnSHE/CWVZSMzBFREdFMDQyMQA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "266ms" - }, - "ResponseBody": { - "status": "notStarted", - "resourceLocation": "/phoneNumbers/Sanitized?api-version=2021-03-07", - "createdDateTime": "2021-04-07T00:49:53.2993868\u002B00:00", - "id": "capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038", - "operationType": "updatePhoneNumberCapabilities", - "lastActionDateTime": "0001-01-01T00:00:00\u002B00:00" - } - }, - { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038?api-version=2021-03-07", - "RequestMethod": "GET", - "RequestHeaders": { - "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:49:55 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "8faa3f16443c31401ec552eb5a84471c", - "x-ms-content-sha256": "Sanitized", - "x-ms-return-client-request-id": "true" - }, - "RequestBody": null, - "StatusCode": 200, - "ResponseHeaders": { - "Access-Control-Expose-Headers": "Location", - "api-supported-versions": "2021-03-07", - "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:49:55 GMT", - "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "WstJXOrX3UeAigMIbILTGQ.0", - "Request-Context": "appId=", - "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0swFtYAAAAABIaG\u002BzVjduRLwBC\u002BBUNZ8OWVZSMzBFREdFMDQyMQA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "261ms" - }, - "ResponseBody": { - "status": "running", - "resourceLocation": "/phoneNumbers/Sanitized?api-version=2021-03-07", - "createdDateTime": "2021-04-07T00:49:53.2993868\u002B00:00", - "id": "capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038", - "operationType": "updatePhoneNumberCapabilities", - "lastActionDateTime": "0001-01-01T00:00:00\u002B00:00" - } - }, - { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038?api-version=2021-03-07", - "RequestMethod": "GET", - "RequestHeaders": { - "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:49:56 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "31c48941bd97f75caee0a2edd9109ef0", - "x-ms-content-sha256": "Sanitized", - "x-ms-return-client-request-id": "true" - }, - "RequestBody": null, - "StatusCode": 200, - "ResponseHeaders": { - "Access-Control-Expose-Headers": "Location", - "api-supported-versions": "2021-03-07", - "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:49:56 GMT", - "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "7kfFgOycQE2OY0DIYO3XZw.0", - "Request-Context": "appId=", - "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0tAFtYAAAAABWg72H53r\u002BS5IfJbLtg8SeWVZSMzBFREdFMDQyMQA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "261ms" - }, - "ResponseBody": { - "status": "running", - "resourceLocation": "/phoneNumbers/Sanitized?api-version=2021-03-07", - "createdDateTime": "2021-04-07T00:49:53.2993868\u002B00:00", - "id": "capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038", - "operationType": "updatePhoneNumberCapabilities", - "lastActionDateTime": "0001-01-01T00:00:00\u002B00:00" - } - }, - { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038?api-version=2021-03-07", - "RequestMethod": "GET", - "RequestHeaders": { - "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:49:58 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "157fe1e6e6d8f2778dba2066b1cd3a2f", - "x-ms-content-sha256": "Sanitized", - "x-ms-return-client-request-id": "true" - }, - "RequestBody": null, - "StatusCode": 200, - "ResponseHeaders": { - "Access-Control-Expose-Headers": "Location", - "api-supported-versions": "2021-03-07", - "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:49:58 GMT", - "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "yA/D/rFnTkOwnCMrmWBQRA.0", - "Request-Context": "appId=", - "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0tQFtYAAAAACyvc/MXmp3ToV76QWjMsqNWVZSMzBFREdFMDQyMQA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "259ms" - }, - "ResponseBody": { - "status": "running", - "resourceLocation": "/phoneNumbers/Sanitized?api-version=2021-03-07", - "createdDateTime": "2021-04-07T00:49:53.2993868\u002B00:00", - "id": "capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038", - "operationType": "updatePhoneNumberCapabilities", - "lastActionDateTime": "0001-01-01T00:00:00\u002B00:00" - } - }, - { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038?api-version=2021-03-07", - "RequestMethod": "GET", - "RequestHeaders": { - "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:49:59 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "e1399fdc7d45585be3b2e15ba253580d", - "x-ms-content-sha256": "Sanitized", - "x-ms-return-client-request-id": "true" - }, "RequestBody": null, "StatusCode": 200, "ResponseHeaders": { - "Access-Control-Expose-Headers": "Location", "api-supported-versions": "2021-03-07", "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:49:59 GMT", - "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "AyEpp1HX/0uX8agr/TvFDw.0", + "Date": "Thu, 29 Apr 2021 19:48:29 GMT", + "MS-CV": "QPjltARKSU\u002BMS2C9qf7r2Q.0", "Request-Context": "appId=", "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0twFtYAAAAAA9wyGWDM\u002B0R5l8/fhW2hoqWVZSMzBFREdFMDQyMQA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "263ms" + "X-Azure-Ref": "0jA2LYAAAAACFQ09tGpT1SpPwEZMuJLiHWVZSMzBFREdFMDMxMAA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", + "X-Processing-Time": "1794ms" }, "ResponseBody": { - "status": "running", - "resourceLocation": "/phoneNumbers/Sanitized?api-version=2021-03-07", - "createdDateTime": "2021-04-07T00:49:53.2993868\u002B00:00", - "id": "capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038", - "operationType": "updatePhoneNumberCapabilities", - "lastActionDateTime": "0001-01-01T00:00:00\u002B00:00" - } - }, - { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038?api-version=2021-03-07", - "RequestMethod": "GET", - "RequestHeaders": { - "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:50:00 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "7805612631055b4412d2a4dc9df546e0", - "x-ms-content-sha256": "Sanitized", - "x-ms-return-client-request-id": "true" - }, - "RequestBody": null, - "StatusCode": 200, - "ResponseHeaders": { - "Access-Control-Expose-Headers": "Location", - "api-supported-versions": "2021-03-07", - "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:50:00 GMT", - "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "CLGKv1PAbkqU\u002ByMVUfBz8A.0", - "Request-Context": "appId=", - "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0uAFtYAAAAABxWRgMdk\u002BdSJu/AG6U37UdWVZSMzBFREdFMDQyMQA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "273ms" - }, - "ResponseBody": { - "status": "running", - "resourceLocation": "/phoneNumbers/Sanitized?api-version=2021-03-07", - "createdDateTime": "2021-04-07T00:49:53.2993868\u002B00:00", - "id": "capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038", - "operationType": "updatePhoneNumberCapabilities", - "lastActionDateTime": "0001-01-01T00:00:00\u002B00:00" - } - }, - { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038?api-version=2021-03-07", - "RequestMethod": "GET", - "RequestHeaders": { - "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:50:02 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "391172a5bdd768ab85263225051b4f39", - "x-ms-content-sha256": "Sanitized", - "x-ms-return-client-request-id": "true" - }, - "RequestBody": null, - "StatusCode": 200, - "ResponseHeaders": { - "Access-Control-Expose-Headers": "Location", - "api-supported-versions": "2021-03-07", - "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:50:01 GMT", - "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "6NiXSN68rUGOq621/ebohw.0", - "Request-Context": "appId=", - "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0uQFtYAAAAAAms8EgfHS0To3PPR3fzYVcWVZSMzBFREdFMDQyMQA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "261ms" - }, - "ResponseBody": { - "status": "running", - "resourceLocation": "/phoneNumbers/Sanitized?api-version=2021-03-07", - "createdDateTime": "2021-04-07T00:49:53.2993868\u002B00:00", - "id": "capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038", - "operationType": "updatePhoneNumberCapabilities", - "lastActionDateTime": "0001-01-01T00:00:00\u002B00:00" - } - }, - { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038?api-version=2021-03-07", - "RequestMethod": "GET", - "RequestHeaders": { - "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:50:03 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "4f3f1262c1c8aa2a5bdece72d97fbbed", - "x-ms-content-sha256": "Sanitized", - "x-ms-return-client-request-id": "true" - }, - "RequestBody": null, - "StatusCode": 200, - "ResponseHeaders": { - "Access-Control-Expose-Headers": "Location", - "api-supported-versions": "2021-03-07", - "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:50:03 GMT", - "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "6BQH\u002B3a2Hki707f8yOHAeA.0", - "Request-Context": "appId=", - "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0uwFtYAAAAADnNpOHb0f2RK5qCBEvw2aqWVZSMzBFREdFMDQyMQA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "260ms" - }, - "ResponseBody": { - "status": "running", - "resourceLocation": "/phoneNumbers/Sanitized?api-version=2021-03-07", - "createdDateTime": "2021-04-07T00:49:53.2993868\u002B00:00", - "id": "capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038", - "operationType": "updatePhoneNumberCapabilities", - "lastActionDateTime": "0001-01-01T00:00:00\u002B00:00" - } - }, - { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038?api-version=2021-03-07", - "RequestMethod": "GET", - "RequestHeaders": { - "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:50:05 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "2fb5006c1e426936b69cf2deff1e55f6", - "x-ms-content-sha256": "Sanitized", - "x-ms-return-client-request-id": "true" - }, - "RequestBody": null, - "StatusCode": 200, - "ResponseHeaders": { - "Access-Control-Expose-Headers": "Location", - "api-supported-versions": "2021-03-07", - "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:50:04 GMT", - "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "K7hzfD\u002BOoEyYPV3ETqwTYQ.0", - "Request-Context": "appId=", - "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0vAFtYAAAAADlloGeqf\u002B5SI9TjeAlnqC1WVZSMzBFREdFMDQyMQA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "260ms" - }, - "ResponseBody": { - "status": "running", - "resourceLocation": "/phoneNumbers/Sanitized?api-version=2021-03-07", - "createdDateTime": "2021-04-07T00:49:53.2993868\u002B00:00", - "id": "capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038", - "operationType": "updatePhoneNumberCapabilities", - "lastActionDateTime": "0001-01-01T00:00:00\u002B00:00" - } - }, - { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038?api-version=2021-03-07", - "RequestMethod": "GET", - "RequestHeaders": { - "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:50:06 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "8a796a83f6b5e4184866ddf8ee388e06", - "x-ms-content-sha256": "Sanitized", - "x-ms-return-client-request-id": "true" - }, - "RequestBody": null, - "StatusCode": 200, - "ResponseHeaders": { - "Access-Control-Expose-Headers": "Location", - "api-supported-versions": "2021-03-07", - "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:50:05 GMT", - "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "DEyG5AAvZkSEjooieOAL\u002BQ.0", - "Request-Context": "appId=", - "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0vQFtYAAAAACy1bWbdgbhRLy1cIFXIi4gWVZSMzBFREdFMDQyMQA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "262ms" - }, - "ResponseBody": { - "status": "running", - "resourceLocation": "/phoneNumbers/Sanitized?api-version=2021-03-07", - "createdDateTime": "2021-04-07T00:49:53.2993868\u002B00:00", - "id": "capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038", - "operationType": "updatePhoneNumberCapabilities", - "lastActionDateTime": "0001-01-01T00:00:00\u002B00:00" + "id": "Sanitized", + "phoneNumber": "Sanitized", + "countryCode": "US", + "phoneNumberType": "tollFree", + "capabilities": { + "calling": "inbound", + "sms": "inbound\u002Boutbound" + }, + "assignmentType": "application", + "purchaseDate": "2021-02-10T17:52:41.818335\u002B00:00", + "cost": { + "amount": 2.0, + "currencyCode": "USD", + "billingFrequency": "monthly" + } } }, { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038?api-version=2021-03-07", - "RequestMethod": "GET", + "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/Sanitized/capabilities?api-version=2021-03-07", + "RequestMethod": "PATCH", "RequestHeaders": { + "Accept": "application/json", "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:50:07 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "04b9446b1f6644f6dcd6992bcf4baa3d", + "Content-Length": "39", + "Content-Type": "application/merge-patch\u002Bjson", + "Date": "Thu, 29 Apr 2021 19:49:00 GMT", + "traceparent": "00-a3020d7131c718409d2a44fb6c98f1a9-fd44aa04304e804b-00", + "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.1-alpha.20210429.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", + "x-ms-client-request-id": "567566fb9510098bfa95d496548276b3", "x-ms-content-sha256": "Sanitized", "x-ms-return-client-request-id": "true" }, - "RequestBody": null, - "StatusCode": 200, - "ResponseHeaders": { - "Access-Control-Expose-Headers": "Location", - "api-supported-versions": "2021-03-07", - "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:50:07 GMT", - "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "xmz3bCLhVk6UdjkP88Ueiw.0", - "Request-Context": "appId=", - "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0vwFtYAAAAADRfIlAeNQdS5G2o7\u002Bn1yjkWVZSMzBFREdFMDQyMQA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "260ms" - }, - "ResponseBody": { - "status": "running", - "resourceLocation": "/phoneNumbers/Sanitized?api-version=2021-03-07", - "createdDateTime": "2021-04-07T00:49:53.2993868\u002B00:00", - "id": "capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038", - "operationType": "updatePhoneNumberCapabilities", - "lastActionDateTime": "0001-01-01T00:00:00\u002B00:00" - } - }, - { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038?api-version=2021-03-07", - "RequestMethod": "GET", - "RequestHeaders": { - "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:50:08 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "6eefd88830057538e7d1e7db403d7a7d", - "x-ms-content-sha256": "Sanitized", - "x-ms-return-client-request-id": "true" + "RequestBody": { + "calling": "outbound", + "sms": "outbound" }, - "RequestBody": null, - "StatusCode": 200, + "StatusCode": 202, "ResponseHeaders": { - "Access-Control-Expose-Headers": "Location", + "Access-Control-Expose-Headers": "Operation-Location,Location,operation-id,capabilities-id", "api-supported-versions": "2021-03-07", + "capabilities-id": "61e26602-7dd8-4963-9071-cd72457970d0", "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:50:08 GMT", + "Date": "Thu, 29 Apr 2021 19:49:04 GMT", "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "9tDfGdUSskmtM9oxrlds3g.0", + "MS-CV": "BSaiaEpnREKMoDoI9Aclcw.0", + "operation-id": "capabilities_61e26602-7dd8-4963-9071-cd72457970d0", + "Operation-Location": "/phoneNumbers/operations/capabilities_61e26602-7dd8-4963-9071-cd72457970d0?api-version=2021-03-07", "Request-Context": "appId=", "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0wAFtYAAAAAB1lLTB4iZBQIDvtymo/niGWVZSMzBFREdFMDQyMQA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "265ms" + "X-Azure-Ref": "0qw2LYAAAAAAao/jn4m5ET5PM7lhzJ0ToWVZSMzBFREdFMDMxMAA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", + "X-Processing-Time": "4997ms" }, "ResponseBody": { - "status": "running", - "resourceLocation": "/phoneNumbers/Sanitized?api-version=2021-03-07", - "createdDateTime": "2021-04-07T00:49:53.2993868\u002B00:00", - "id": "capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038", - "operationType": "updatePhoneNumberCapabilities", - "lastActionDateTime": "0001-01-01T00:00:00\u002B00:00" + "capabilitiesUpdateId": "61e26602-7dd8-4963-9071-cd72457970d0" } }, { - "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038?api-version=2021-03-07", + "RequestUri": "https://smstestapp.communication.azure.com/phoneNumbers/operations/capabilities_61e26602-7dd8-4963-9071-cd72457970d0?api-version=2021-03-07", "RequestMethod": "GET", "RequestHeaders": { "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:50:10 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "ba72ec0d5164638f7435aede5ced14fc", + "Date": "Thu, 29 Apr 2021 19:49:28 GMT", + "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.1-alpha.20210429.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", + "x-ms-client-request-id": "8faa3f16443c31401ec552eb5a84471c", "x-ms-content-sha256": "Sanitized", "x-ms-return-client-request-id": "true" }, @@ -464,19 +99,19 @@ "Access-Control-Expose-Headers": "Location", "api-supported-versions": "2021-03-07", "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:50:09 GMT", + "Date": "Thu, 29 Apr 2021 19:49:27 GMT", "Location": "/phoneNumbers/\u002BSanitized?api-version=2021-03-07", - "MS-CV": "jBSmFjq3LUarlJX1wT1paA.0", + "MS-CV": "UDJyoMpa80uiwosXLogNCw.0", "Request-Context": "appId=", "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0wQFtYAAAAACpabz5CkA5Ra0sWMLzEdqWWVZSMzBFREdFMDQyMQA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "268ms" + "X-Azure-Ref": "0xw2LYAAAAAB8rYjiuvgIQ5m7NyPlvu04WVZSMzBFREdFMDMxMAA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", + "X-Processing-Time": "778ms" }, "ResponseBody": { "status": "succeeded", "resourceLocation": "/phoneNumbers/Sanitized?api-version=2021-03-07", - "createdDateTime": "2021-04-07T00:49:53.2993868\u002B00:00", - "id": "capabilities_f93cce7a-fd1c-493c-a398-bd31a119c038", + "createdDateTime": "2021-04-29T19:49:04.3495103\u002B00:00", + "id": "capabilities_61e26602-7dd8-4963-9071-cd72457970d0", "operationType": "updatePhoneNumberCapabilities", "lastActionDateTime": "0001-01-01T00:00:00\u002B00:00" } @@ -486,9 +121,9 @@ "RequestMethod": "GET", "RequestHeaders": { "Authorization": "Sanitized", - "Date": "Wed, 07 Apr 2021 00:50:10 GMT", - "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.0-alpha.20210406.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", - "x-ms-client-request-id": "1670a0bc1f493a010c441c94381a039e", + "Date": "Thu, 29 Apr 2021 19:49:29 GMT", + "User-Agent": "azsdk-net-Communication.PhoneNumbers/1.0.1-alpha.20210429.1 (.NET Framework 4.8.4300.0; Microsoft Windows 10.0.19042 )", + "x-ms-client-request-id": "31c48941bd97f75caee0a2edd9109ef0", "x-ms-content-sha256": "Sanitized", "x-ms-return-client-request-id": "true" }, @@ -497,12 +132,12 @@ "ResponseHeaders": { "api-supported-versions": "2021-03-07", "Content-Type": "application/json; charset=utf-8", - "Date": "Wed, 07 Apr 2021 00:50:11 GMT", - "MS-CV": "7tVxQOMW00mew5oAygjuQQ.0", + "Date": "Thu, 29 Apr 2021 19:49:33 GMT", + "MS-CV": "Xa5zSzqQlkOa4wo91w4N5w.0", "Request-Context": "appId=", "Transfer-Encoding": "chunked", - "X-Azure-Ref": "0wgFtYAAAAAB0o1DaZGJdQZnDVpHuAHZJWVZSMzBFREdFMDQyMQA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", - "X-Processing-Time": "1479ms" + "X-Azure-Ref": "0yA2LYAAAAABeKOfIWyNETrrAArEDxttaWVZSMzBFREdFMDMxMAA5ZmM3YjUxOS1hOGNjLTRmODktOTM1ZS1jOTE0OGFlMDllODE=", + "X-Processing-Time": "5406ms" }, "ResponseBody": { "id": "Sanitized", @@ -514,7 +149,7 @@ "sms": "outbound" }, "assignmentType": "application", - "purchaseDate": "2000-01-01T00:00:00\u002B00:00", + "purchaseDate": "2021-02-10T17:52:41.818335\u002B00:00", "cost": { "amount": 2.0, "currencyCode": "USD", From 71e9e1dc59260c552871233f27af41a70256b03b Mon Sep 17 00:00:00 2001 From: JoshLove-msft <54595583+JoshLove-msft@users.noreply.github.com> Date: Mon, 3 May 2021 12:42:32 -0700 Subject: [PATCH 19/37] Fix sample readme (#20810) * Fix sample readme * Update README.md --- .../samples/DeadLetterQueue/README.md | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/sdk/servicebus/Azure.Messaging.ServiceBus/samples/DeadLetterQueue/README.md b/sdk/servicebus/Azure.Messaging.ServiceBus/samples/DeadLetterQueue/README.md index 45f1393c932a..1e293955b964 100644 --- a/sdk/servicebus/Azure.Messaging.ServiceBus/samples/DeadLetterQueue/README.md +++ b/sdk/servicebus/Azure.Messaging.ServiceBus/samples/DeadLetterQueue/README.md @@ -1,12 +1,12 @@ ---- +--- page_type: sample languages: - csharp - products: +products: - azure - azure-service-bus - name: Explore deadlettering in Azure Service Bus - description: This sample shows how to move messages to the Dead-letter queue, how to retrieve messages from it, and resubmit corrected message back into the main queue. +name: Explore deadlettering in Azure Service Bus +description: This sample shows how to move messages to the Dead-letter queue, how to retrieve messages from it, and resubmit corrected message back into the main queue. --- # Dead-Letter Queues From 2ab5507125779c7b2f0cfd1b9c91691a8e97ac0f Mon Sep 17 00:00:00 2001 From: Sean McCullough <44180881+seanmcc-msft@users.noreply.github.com> Date: Mon, 3 May 2021 14:43:55 -0500 Subject: [PATCH 20/37] Made quick query parquet internal (#20759) --- sdk/storage/Azure.Storage.Blobs/CHANGELOG.md | 1 - .../api/Azure.Storage.Blobs.netstandard2.0.cs | 4 --- .../src/Models/BlobQueryParquetTextOptions.cs | 3 +- .../tests/BlobQuickQueryTests.cs | 2 ++ .../Azure.Storage.Files.DataLake/CHANGELOG.md | 1 - ...e.Storage.Files.DataLake.netstandard2.0.cs | 4 --- .../src/DataLakeExtensions.cs | 34 ++++++++++--------- .../Models/DataLakeQueryParquetTextOptions.cs | 3 +- .../tests/FileClientTests.cs | 2 ++ 9 files changed, 26 insertions(+), 28 deletions(-) diff --git a/sdk/storage/Azure.Storage.Blobs/CHANGELOG.md b/sdk/storage/Azure.Storage.Blobs/CHANGELOG.md index ac686e0c68f7..ecddfad8b232 100644 --- a/sdk/storage/Azure.Storage.Blobs/CHANGELOG.md +++ b/sdk/storage/Azure.Storage.Blobs/CHANGELOG.md @@ -2,7 +2,6 @@ ## 12.9.0-beta.4 (Unreleased) - Added support for service version 2020-08-04. -- Added support for Blob Query Parquet input format. - Added WithCustomerProvidedKey() and WithEncryptionScope() to BlobClient, BlobBaseClient, AppendBlobClient, and PageBlobClient. - BlobLeaseClient now remembers the Lease ID after a lease change. - Fixed bug where clients would sometimes throw a NullReferenceException when calling GenerateSas() with a BlobSasBuilder parameter. diff --git a/sdk/storage/Azure.Storage.Blobs/api/Azure.Storage.Blobs.netstandard2.0.cs b/sdk/storage/Azure.Storage.Blobs/api/Azure.Storage.Blobs.netstandard2.0.cs index 97dd2f2170ca..4878a92e2497 100644 --- a/sdk/storage/Azure.Storage.Blobs/api/Azure.Storage.Blobs.netstandard2.0.cs +++ b/sdk/storage/Azure.Storage.Blobs/api/Azure.Storage.Blobs.netstandard2.0.cs @@ -830,10 +830,6 @@ public BlobQueryOptions() { } public System.IProgress ProgressHandler { get { throw null; } set { } } public event System.Action ErrorHandler { add { } remove { } } } - public partial class BlobQueryParquetTextOptions : Azure.Storage.Blobs.Models.BlobQueryTextOptions - { - public BlobQueryParquetTextOptions() { } - } public abstract partial class BlobQueryTextOptions { protected BlobQueryTextOptions() { } diff --git a/sdk/storage/Azure.Storage.Blobs/src/Models/BlobQueryParquetTextOptions.cs b/sdk/storage/Azure.Storage.Blobs/src/Models/BlobQueryParquetTextOptions.cs index 0684508cce54..546486686c7a 100644 --- a/sdk/storage/Azure.Storage.Blobs/src/Models/BlobQueryParquetTextOptions.cs +++ b/sdk/storage/Azure.Storage.Blobs/src/Models/BlobQueryParquetTextOptions.cs @@ -6,7 +6,8 @@ namespace Azure.Storage.Blobs.Models /// /// Parquery text configuration. /// - public class BlobQueryParquetTextOptions : BlobQueryTextOptions + // TODO https://github.com/Azure/azure-sdk-for-net/issues/20758 + internal class BlobQueryParquetTextOptions : BlobQueryTextOptions { } } diff --git a/sdk/storage/Azure.Storage.Blobs/tests/BlobQuickQueryTests.cs b/sdk/storage/Azure.Storage.Blobs/tests/BlobQuickQueryTests.cs index b97c79cdda69..ba88fd159c57 100644 --- a/sdk/storage/Azure.Storage.Blobs/tests/BlobQuickQueryTests.cs +++ b/sdk/storage/Azure.Storage.Blobs/tests/BlobQuickQueryTests.cs @@ -512,6 +512,7 @@ public async Task QueryAsync_ArrowConfiguration() [Test] [ServiceVersion(Min = BlobClientOptions.ServiceVersion.V2020_08_04)] [PlaybackOnly("https://github.com/Azure/azure-sdk-for-net/issues/19575")] + [Ignore("https://github.com/Azure/azure-sdk-for-net/issues/20758")] [RetryOnException(TestConstants.QuickQueryRetryCount, typeof(IOException))] public async Task QueryAsync_ParquetConfiguration() { @@ -543,6 +544,7 @@ public async Task QueryAsync_ParquetConfiguration() [Test] [ServiceVersion(Min = BlobClientOptions.ServiceVersion.V2020_08_04)] [PlaybackOnly("https://github.com/Azure/azure-sdk-for-net/issues/19575")] + [Ignore("https://github.com/Azure/azure-sdk-for-net/issues/20758")] [RetryOnException(TestConstants.QuickQueryRetryCount, typeof(IOException))] public async Task QueryAsync_ParquetOutputError() { diff --git a/sdk/storage/Azure.Storage.Files.DataLake/CHANGELOG.md b/sdk/storage/Azure.Storage.Files.DataLake/CHANGELOG.md index f4c2ff1b4842..0ddfe13879d8 100644 --- a/sdk/storage/Azure.Storage.Files.DataLake/CHANGELOG.md +++ b/sdk/storage/Azure.Storage.Files.DataLake/CHANGELOG.md @@ -3,7 +3,6 @@ ## 12.7.0-beta.4 (Unreleased) - Added support for service version 2020-08-04. - Added support for Soft Delete for Hierarchical-Namespace enabled accounts. -- Added support for File Query Parquet input format. - DataLakeLeaseClient now remembers the Lease ID after a lease change. - Fixed bug where clients would sometimes throw a NullReferenceException when calling GenerateSas() with a DataLakeSasBuilder parameter. - Deprecated property DataLakeSasBuilder.Version, so when generating SAS will always use the latest Storage Service SAS version. diff --git a/sdk/storage/Azure.Storage.Files.DataLake/api/Azure.Storage.Files.DataLake.netstandard2.0.cs b/sdk/storage/Azure.Storage.Files.DataLake/api/Azure.Storage.Files.DataLake.netstandard2.0.cs index 420219021c00..c061f0db152c 100644 --- a/sdk/storage/Azure.Storage.Files.DataLake/api/Azure.Storage.Files.DataLake.netstandard2.0.cs +++ b/sdk/storage/Azure.Storage.Files.DataLake/api/Azure.Storage.Files.DataLake.netstandard2.0.cs @@ -588,10 +588,6 @@ public DataLakeQueryOptions() { } public System.IProgress ProgressHandler { get { throw null; } set { } } public event System.Action ErrorHandler { add { } remove { } } } - public partial class DataLakeQueryParquetTextOptions : Azure.Storage.Files.DataLake.Models.DataLakeQueryTextOptions - { - public DataLakeQueryParquetTextOptions() { } - } public abstract partial class DataLakeQueryTextOptions { protected DataLakeQueryTextOptions() { } diff --git a/sdk/storage/Azure.Storage.Files.DataLake/src/DataLakeExtensions.cs b/sdk/storage/Azure.Storage.Files.DataLake/src/DataLakeExtensions.cs index 7a2544441c93..20cf75e01acd 100644 --- a/sdk/storage/Azure.Storage.Files.DataLake/src/DataLakeExtensions.cs +++ b/sdk/storage/Azure.Storage.Files.DataLake/src/DataLakeExtensions.cs @@ -383,15 +383,16 @@ internal static BlobQueryTextOptions ToBlobQueryTextConfiguration( return dataLakeQueryArrowOptions.ToBlobQueryArrowOptions(); } - if (textConfiguration is DataLakeQueryParquetTextOptions dataLakeQueryParquetOptions) - { - if (!isInput) - { - throw new ArgumentException($"{nameof(DataLakeQueryParquetTextOptions)} can only be used for input serialization."); - } + // TODO https://github.com/Azure/azure-sdk-for-net/issues/20758 + //if (textConfiguration is DataLakeQueryParquetTextOptions dataLakeQueryParquetOptions) + //{ + // if (!isInput) + // { + // throw new ArgumentException($"{nameof(DataLakeQueryParquetTextOptions)} can only be used for input serialization."); + // } - return dataLakeQueryParquetOptions.ToBlobQueryParquetTextOptions(); - } + // return dataLakeQueryParquetOptions.ToBlobQueryParquetTextOptions(); + //} throw new ArgumentException("Invalid text configuration type"); } @@ -424,15 +425,16 @@ internal static BlobQueryArrowOptions ToBlobQueryArrowOptions(this DataLakeQuery }; } - internal static BlobQueryParquetTextOptions ToBlobQueryParquetTextOptions (this DataLakeQueryParquetTextOptions options) - { - if (options == null) - { - return null; - } + // TODO https://github.com/Azure/azure-sdk-for-net/issues/20758 + //internal static BlobQueryParquetTextOptions ToBlobQueryParquetTextOptions (this DataLakeQueryParquetTextOptions options) + //{ + // if (options == null) + // { + // return null; + // } - return new BlobQueryParquetTextOptions(); - } + // return new BlobQueryParquetTextOptions(); + //} internal static IList ToBlobQueryArrowFields(this IList arrowFields) { diff --git a/sdk/storage/Azure.Storage.Files.DataLake/src/Models/DataLakeQueryParquetTextOptions.cs b/sdk/storage/Azure.Storage.Files.DataLake/src/Models/DataLakeQueryParquetTextOptions.cs index c7382c4d6db2..db365e90acb2 100644 --- a/sdk/storage/Azure.Storage.Files.DataLake/src/Models/DataLakeQueryParquetTextOptions.cs +++ b/sdk/storage/Azure.Storage.Files.DataLake/src/Models/DataLakeQueryParquetTextOptions.cs @@ -6,7 +6,8 @@ namespace Azure.Storage.Files.DataLake.Models /// /// Parquet text configuration. /// - public class DataLakeQueryParquetTextOptions : DataLakeQueryTextOptions + // TODO https://github.com/Azure/azure-sdk-for-net/issues/20758 + internal class DataLakeQueryParquetTextOptions : DataLakeQueryTextOptions { } } diff --git a/sdk/storage/Azure.Storage.Files.DataLake/tests/FileClientTests.cs b/sdk/storage/Azure.Storage.Files.DataLake/tests/FileClientTests.cs index 0e6f3f777efd..ca39322e35c1 100644 --- a/sdk/storage/Azure.Storage.Files.DataLake/tests/FileClientTests.cs +++ b/sdk/storage/Azure.Storage.Files.DataLake/tests/FileClientTests.cs @@ -3762,6 +3762,7 @@ await TestHelper.AssertExpectedExceptionAsync( [Test] [ServiceVersion(Min = DataLakeClientOptions.ServiceVersion.V2020_08_04)] [PlaybackOnly("https://github.com/Azure/azure-sdk-for-net/issues/19575")] + [Ignore("https://github.com/Azure/azure-sdk-for-net/issues/20758")] [RetryOnException(TestConstants.QuickQueryRetryCount, typeof(IOException))] public async Task QueryAsync_ParquetConfigurationInput() { @@ -3793,6 +3794,7 @@ public async Task QueryAsync_ParquetConfigurationInput() [Test] [ServiceVersion(Min = DataLakeClientOptions.ServiceVersion.V2020_08_04)] [PlaybackOnly("https://github.com/Azure/azure-sdk-for-net/issues/19575")] + [Ignore("https://github.com/Azure/azure-sdk-for-net/issues/20758")] [RetryOnException(TestConstants.QuickQueryRetryCount, typeof(IOException))] public async Task QueryAsync_ParquetConfigurationOutputError() { From 125a9f8625474027220449661c883c8d1a645a14 Mon Sep 17 00:00:00 2001 From: Basel Rustum Date: Mon, 3 May 2021 12:46:36 -0700 Subject: [PATCH 21/37] Fix Test (#20791) --- .../TimeSeriesInsightsQueryAggregateSeriesTests.cs | 10 ++++------ 1 file changed, 4 insertions(+), 6 deletions(-) diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/tests/TimeSeriesInsightsQueryAggregateSeriesTests.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/tests/TimeSeriesInsightsQueryAggregateSeriesTests.cs index 6b1fc0c89ec4..a5d008a8a6b8 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/tests/TimeSeriesInsightsQueryAggregateSeriesTests.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/tests/TimeSeriesInsightsQueryAggregateSeriesTests.cs @@ -239,16 +239,14 @@ await TestRetryHelper.RetryAsync>(async () => TimeSpan.FromSeconds(5), queryAggregateSeriesRequestOptions); - var countFound = false; + long? totalCount = 0; await foreach (TimeSeriesPoint point in queryAggregateSeriesPages.GetResultsAsync()) { - if ((long?)point.GetValue("Count") == 30) - { - countFound = true; - } + var currentCount = (long?)point.GetValue("Count"); + totalCount += currentCount; } - countFound.Should().BeTrue(); + totalCount.Should().Be(30); return null; }, MaxNumberOfRetries, s_retryDelay); From bfb5054da449c41e35d0bb883eee14e200cc6cf1 Mon Sep 17 00:00:00 2001 From: Basel Rustum Date: Mon, 3 May 2021 13:18:00 -0700 Subject: [PATCH 22/37] [TSI] Renaming and hiding types (#20773) --- ...e.IoT.TimeSeriesInsights.netstandard2.0.cs | 433 +++++------------- .../HierarchiesSamples.cs | 1 - .../Models/AggregateSeries.Serialization.cs | 2 +- .../src/Customized/Models/AggregateSeries.cs | 2 +- .../Models/GetEvents.Serialization.cs | 2 +- .../src/Customized/Models/GetEvents.cs | 2 +- .../Models/GetSeries.Serialization.cs | 2 +- .../src/Customized/Models/GetSeries.cs | 2 +- .../HierarchiesBatchResponse.Serialization.cs | 2 +- .../Models/HierarchiesExpandKind.cs | 12 + .../Customized/Models/HierarchiesSortBy.cs | 12 + .../Models/InstanceHitHighlights.cs | 12 + .../InstancesBatchResponse.Serialization.cs | 2 +- ...esRequestBatchGetOrDelete.Serialization.cs | 2 +- .../InstancesRequestBatchGetOrDelete.cs | 2 +- .../src/Customized/Models/InstancesSortBy.cs | 12 + .../Models/InterpolationBoundary.cs | 16 + .../Customized/Models/InterpolationKind.cs | 15 + .../Models/TimeSeriesHierarchySource.cs | 15 + .../Models/TimeSeriesIdPropertyTypes.cs | 15 + .../TypesBatchResponse.Serialization.cs | 2 +- .../Models/AggregateSeries.Serialization.cs | 2 +- .../src/Generated/Models/AggregateSeries.cs | 2 +- .../Models/GetEvents.Serialization.cs | 2 +- .../src/Generated/Models/GetEvents.cs | 2 +- .../GetHierarchiesPage.Serialization.cs | 2 +- .../Generated/Models/GetHierarchiesPage.cs | 2 +- .../Models/GetInstancesPage.Serialization.cs | 2 +- .../src/Generated/Models/GetInstancesPage.cs | 2 +- .../Models/GetSeries.Serialization.cs | 2 +- .../src/Generated/Models/GetSeries.cs | 2 +- .../Models/GetTypesPage.Serialization.cs | 2 +- .../src/Generated/Models/GetTypesPage.cs | 2 +- .../HierarchiesBatchRequest.Serialization.cs | 2 +- .../Models/HierarchiesBatchRequest.cs | 2 +- .../HierarchiesBatchResponse.Serialization.cs | 2 +- .../Models/HierarchiesBatchResponse.cs | 2 +- .../Generated/Models/HierarchiesExpandKind.cs | 4 +- .../Models/HierarchiesExpandParameter.cs | 2 - ...hiesRequestBatchGetDelete.Serialization.cs | 2 +- .../HierarchiesRequestBatchGetDelete.cs | 2 +- .../src/Generated/Models/HierarchiesSortBy.cs | 4 +- .../Models/HierarchiesSortParameter.cs | 2 - .../Models/InstanceHit.Serialization.cs | 1 - .../src/Generated/Models/InstanceHit.cs | 1 - .../InstanceHitHighlights.Serialization.cs | 4 +- .../Generated/Models/InstanceHitHighlights.cs | 4 +- .../InstancesBatchRequest.Serialization.cs | 2 +- .../Generated/Models/InstancesBatchRequest.cs | 2 +- .../InstancesBatchResponse.Serialization.cs | 2 +- .../Models/InstancesBatchResponse.cs | 2 +- ...esRequestBatchGetOrDelete.Serialization.cs | 2 +- .../InstancesRequestBatchGetOrDelete.cs | 2 +- .../src/Generated/Models/InstancesSortBy.cs | 4 +- .../Models/InstancesSortParameter.cs | 2 - .../InterpolationBoundary.Serialization.cs | 2 +- .../Generated/Models/InterpolationBoundary.cs | 2 +- .../src/Generated/Models/InterpolationKind.cs | 2 +- .../InterpolationOperation.Serialization.cs | 1 - .../Models/InterpolationOperation.cs | 2 - .../ModelSettingsResponse.Serialization.cs | 2 +- .../Generated/Models/ModelSettingsResponse.cs | 2 +- .../Models/QueryRequest.Serialization.cs | 2 +- .../src/Generated/Models/QueryRequest.cs | 2 +- .../TimeSeriesHierarchy.Serialization.cs | 1 - .../Generated/Models/TimeSeriesHierarchy.cs | 1 - ...TimeSeriesHierarchySource.Serialization.cs | 2 +- .../Models/TimeSeriesHierarchySource.cs | 2 +- .../TimeSeriesIdProperty.Serialization.cs | 1 - .../Generated/Models/TimeSeriesIdProperty.cs | 2 - .../Models/TimeSeriesIdPropertyTypes.cs | 2 +- .../Models/TypesBatchRequest.Serialization.cs | 2 +- .../src/Generated/Models/TypesBatchRequest.cs | 2 +- .../TypesBatchResponse.Serialization.cs | 2 +- .../Generated/Models/TypesBatchResponse.cs | 2 +- ...esRequestBatchGetOrDelete.Serialization.cs | 2 +- .../Models/TypesRequestBatchGetOrDelete.cs | 2 +- .../src/GlobalSuppressions.cs | 1 - .../src/TimeSeriesInsightsClient.cs | 20 +- ...nt.cs => TimeSeriesInsightsHierarchies.cs} | 10 +- ...ient.cs => TimeSeriesInsightsInstances.cs} | 11 +- ....cs => TimeSeriesInsightsModelSettings.cs} | 10 +- ...ryClient.cs => TimeSeriesInsightsQuery.cs} | 8 +- ...esClient.cs => TimeSeriesInsightsTypes.cs} | 8 +- .../src/autorest.md | 13 +- .../tests/HierarchiesTests.cs | 1 - ...SeriesInsightsQueryAggregateSeriesTests.cs | 1 - 87 files changed, 337 insertions(+), 427 deletions(-) create mode 100644 sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/HierarchiesExpandKind.cs create mode 100644 sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/HierarchiesSortBy.cs create mode 100644 sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InstanceHitHighlights.cs create mode 100644 sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InstancesSortBy.cs create mode 100644 sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InterpolationBoundary.cs create mode 100644 sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InterpolationKind.cs create mode 100644 sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/TimeSeriesHierarchySource.cs create mode 100644 sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/TimeSeriesIdPropertyTypes.cs rename sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/{HierarchiesClient.cs => TimeSeriesInsightsHierarchies.cs} (98%) rename sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/{InstancesClient.cs => TimeSeriesInsightsInstances.cs} (98%) rename sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/{ModelSettingsClient.cs => TimeSeriesInsightsModelSettings.cs} (95%) rename sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/{QueryClient.cs => TimeSeriesInsightsQuery.cs} (98%) rename sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/{TypesClient.cs => TimeSeriesInsightsTypes.cs} (99%) diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/api/Azure.IoT.TimeSeriesInsights.netstandard2.0.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/api/Azure.IoT.TimeSeriesInsights.netstandard2.0.cs index 08c4d35a1553..8a44bc5825c8 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/api/Azure.IoT.TimeSeriesInsights.netstandard2.0.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/api/Azure.IoT.TimeSeriesInsights.netstandard2.0.cs @@ -1,15 +1,5 @@ namespace Azure.IoT.TimeSeriesInsights { - public partial class AggregateSeries - { - public AggregateSeries(Azure.IoT.TimeSeriesInsights.TimeSeriesId timeSeriesId, Azure.IoT.TimeSeriesInsights.DateTimeRange searchSpan, System.TimeSpan interval) { } - public Azure.IoT.TimeSeriesInsights.TimeSeriesExpression Filter { get { throw null; } set { } } - public System.Collections.Generic.IDictionary InlineVariables { get { throw null; } } - public System.TimeSpan Interval { get { throw null; } } - public System.Collections.Generic.IList ProjectedVariables { get { throw null; } } - public Azure.IoT.TimeSeriesInsights.DateTimeRange SearchSpan { get { throw null; } } - public Azure.IoT.TimeSeriesInsights.TimeSeriesId TimeSeriesId { get { throw null; } } - } public partial class AggregateVariable : Azure.IoT.TimeSeriesInsights.TimeSeriesVariable { public AggregateVariable(Azure.IoT.TimeSeriesInsights.TimeSeriesExpression aggregation) { } @@ -35,142 +25,40 @@ public EventProperty() { } public string Name { get { throw null; } set { } } public Azure.IoT.TimeSeriesInsights.PropertyTypes? Type { get { throw null; } set { } } } - public partial class GetEvents - { - public GetEvents(Azure.IoT.TimeSeriesInsights.TimeSeriesId timeSeriesId, Azure.IoT.TimeSeriesInsights.DateTimeRange searchSpan) { } - public Azure.IoT.TimeSeriesInsights.TimeSeriesExpression Filter { get { throw null; } set { } } - public System.Collections.Generic.IList ProjectedProperties { get { throw null; } } - public Azure.IoT.TimeSeriesInsights.DateTimeRange SearchSpan { get { throw null; } } - public int? Take { get { throw null; } set { } } - public Azure.IoT.TimeSeriesInsights.TimeSeriesId TimeSeriesId { get { throw null; } } - } - public partial class GetHierarchiesPage : Azure.IoT.TimeSeriesInsights.PagedResponse - { - internal GetHierarchiesPage() { } - public System.Collections.Generic.IReadOnlyList Hierarchies { get { throw null; } } - } - public partial class GetInstancesPage : Azure.IoT.TimeSeriesInsights.PagedResponse - { - internal GetInstancesPage() { } - public System.Collections.Generic.IReadOnlyList Instances { get { throw null; } } - } - public partial class GetSeries - { - public GetSeries(Azure.IoT.TimeSeriesInsights.TimeSeriesId timeSeriesId, Azure.IoT.TimeSeriesInsights.DateTimeRange searchSpan) { } - public Azure.IoT.TimeSeriesInsights.TimeSeriesExpression Filter { get { throw null; } set { } } - public System.Collections.Generic.IDictionary InlineVariables { get { throw null; } } - public System.Collections.Generic.IList ProjectedVariables { get { throw null; } } - public Azure.IoT.TimeSeriesInsights.DateTimeRange SearchSpan { get { throw null; } } - public int? Take { get { throw null; } set { } } - public Azure.IoT.TimeSeriesInsights.TimeSeriesId TimeSeriesId { get { throw null; } } - } - public partial class GetTypesPage : Azure.IoT.TimeSeriesInsights.PagedResponse - { - internal GetTypesPage() { } - public System.Collections.Generic.IReadOnlyList Types { get { throw null; } } - } - public partial class HierarchiesBatchRequest - { - public HierarchiesBatchRequest() { } - public Azure.IoT.TimeSeriesInsights.HierarchiesRequestBatchGetDelete Delete { get { throw null; } set { } } - public Azure.IoT.TimeSeriesInsights.HierarchiesRequestBatchGetDelete Get { get { throw null; } set { } } - public System.Collections.Generic.IList Put { get { throw null; } } - } - public partial class HierarchiesBatchResponse - { - internal HierarchiesBatchResponse() { } - public System.Collections.Generic.IReadOnlyList Delete { get { throw null; } } - public System.Collections.Generic.IReadOnlyList Get { get { throw null; } } - public System.Collections.Generic.IReadOnlyList Put { get { throw null; } } - } - public partial class HierarchiesClient - { - protected HierarchiesClient() { } - public virtual Azure.Response CreateOrReplace(System.Collections.Generic.IEnumerable timeSeriesHierarchies, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task> CreateOrReplaceAsync(System.Collections.Generic.IEnumerable timeSeriesHierarchies, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response DeleteById(System.Collections.Generic.IEnumerable timeSeriesHierarchyIds, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task> DeleteByIdAsync(System.Collections.Generic.IEnumerable timeSeriesHierarchyIds, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response DeleteByName(System.Collections.Generic.IEnumerable timeSeriesHierarchyNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task> DeleteByNameAsync(System.Collections.Generic.IEnumerable timeSeriesHierarchyNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Pageable Get(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.AsyncPageable GetAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response GetById(System.Collections.Generic.IEnumerable timeSeriesHierarchyIds, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task> GetByIdAsync(System.Collections.Generic.IEnumerable timeSeriesHierarchyIds, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response GetByName(System.Collections.Generic.IEnumerable timeSeriesHierarchyNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task> GetByNameAsync(System.Collections.Generic.IEnumerable timeSeriesHierarchyNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - } - public partial class HierarchiesRequestBatchGetDelete - { - public HierarchiesRequestBatchGetDelete() { } - public System.Collections.Generic.IList HierarchyIds { get { throw null; } } - public System.Collections.Generic.IList Names { get { throw null; } } - } - public partial class InstancesBatchRequest - { - public InstancesBatchRequest() { } - public Azure.IoT.TimeSeriesInsights.InstancesRequestBatchGetOrDelete Delete { get { throw null; } set { } } - public Azure.IoT.TimeSeriesInsights.InstancesRequestBatchGetOrDelete Get { get { throw null; } set { } } - public System.Collections.Generic.IList Put { get { throw null; } } - public System.Collections.Generic.IList Update { get { throw null; } } - } - public partial class InstancesBatchResponse - { - internal InstancesBatchResponse() { } - public System.Collections.Generic.IReadOnlyList Delete { get { throw null; } } - public System.Collections.Generic.IReadOnlyList Get { get { throw null; } } - public System.Collections.Generic.IReadOnlyList Put { get { throw null; } } - public System.Collections.Generic.IReadOnlyList Update { get { throw null; } } - } - public partial class InstancesClient - { - protected InstancesClient() { } - public virtual Azure.Response CreateOrReplace(System.Collections.Generic.IEnumerable timeSeriesInstances, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task> CreateOrReplaceAsync(System.Collections.Generic.IEnumerable timeSeriesInstances, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response Delete(System.Collections.Generic.IEnumerable timeSeriesIds, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response Delete(System.Collections.Generic.IEnumerable timeSeriesNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task> DeleteAsync(System.Collections.Generic.IEnumerable timeSeriesIds, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task> DeleteAsync(System.Collections.Generic.IEnumerable timeSeriesNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response Get(System.Collections.Generic.IEnumerable timeSeriesIds, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response Get(System.Collections.Generic.IEnumerable timeSeriesNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Pageable Get(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task> GetAsync(System.Collections.Generic.IEnumerable timeSeriesIds, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task> GetAsync(System.Collections.Generic.IEnumerable timeSeriesNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.AsyncPageable GetAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response Replace(System.Collections.Generic.IEnumerable timeSeriesInstances, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task> ReplaceAsync(System.Collections.Generic.IEnumerable timeSeriesInstances, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - } public partial class InstancesOperationResult { internal InstancesOperationResult() { } public Azure.IoT.TimeSeriesInsights.TimeSeriesOperationError Error { get { throw null; } } public Azure.IoT.TimeSeriesInsights.TimeSeriesInstance Instance { get { throw null; } } } - public partial class InstancesRequestBatchGetOrDelete - { - public InstancesRequestBatchGetOrDelete() { } - public System.Collections.Generic.IList Names { get { throw null; } } - public System.Collections.Generic.IList TimeSeriesIds { get { throw null; } } - } - public partial class InterpolationOperation + public partial class InterpolationBoundary { - public InterpolationOperation() { } - public Azure.IoT.TimeSeriesInsights.Models.InterpolationBoundary Boundary { get { throw null; } set { } } - public Azure.IoT.TimeSeriesInsights.Models.InterpolationKind? Kind { get { throw null; } set { } } + public InterpolationBoundary() { } + public System.TimeSpan? Span { get { throw null; } set { } } } - public partial class ModelSettingsClient + [System.Runtime.InteropServices.StructLayoutAttribute(System.Runtime.InteropServices.LayoutKind.Sequential)] + public readonly partial struct InterpolationKind : System.IEquatable { - protected ModelSettingsClient() { } - public virtual Azure.Response Get(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task> GetAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response UpdateDefaultTypeId(string defaultTypeId, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task> UpdateDefaultTypeIdAsync(string defaultTypeId, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response UpdateName(string name, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task> UpdateNameAsync(string name, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + private readonly object _dummy; + private readonly int _dummyPrimitive; + public InterpolationKind(string value) { throw null; } + public static Azure.IoT.TimeSeriesInsights.InterpolationKind Linear { get { throw null; } } + public static Azure.IoT.TimeSeriesInsights.InterpolationKind Step { get { throw null; } } + public bool Equals(Azure.IoT.TimeSeriesInsights.InterpolationKind other) { throw null; } + [System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Never)] + public override bool Equals(object obj) { throw null; } + [System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Never)] + public override int GetHashCode() { throw null; } + public static bool operator ==(Azure.IoT.TimeSeriesInsights.InterpolationKind left, Azure.IoT.TimeSeriesInsights.InterpolationKind right) { throw null; } + public static implicit operator Azure.IoT.TimeSeriesInsights.InterpolationKind (string value) { throw null; } + public static bool operator !=(Azure.IoT.TimeSeriesInsights.InterpolationKind left, Azure.IoT.TimeSeriesInsights.InterpolationKind right) { throw null; } + public override string ToString() { throw null; } } - public partial class ModelSettingsResponse + public partial class InterpolationOperation { - internal ModelSettingsResponse() { } - public Azure.IoT.TimeSeriesInsights.TimeSeriesModelSettings ModelSettings { get { throw null; } } + public InterpolationOperation() { } + public Azure.IoT.TimeSeriesInsights.InterpolationBoundary Boundary { get { throw null; } set { } } + public Azure.IoT.TimeSeriesInsights.InterpolationKind? Kind { get { throw null; } set { } } } public partial class NumericVariable : Azure.IoT.TimeSeriesInsights.TimeSeriesVariable { @@ -224,29 +112,12 @@ internal QueryAnalyzer() { } public Azure.Pageable GetResults() { throw null; } public Azure.AsyncPageable GetResultsAsync() { throw null; } } - public partial class QueryClient - { - protected QueryClient() { } - public virtual Azure.IoT.TimeSeriesInsights.QueryAnalyzer CreateAggregateSeriesQueryAnalyzer(Azure.IoT.TimeSeriesInsights.TimeSeriesId timeSeriesId, System.DateTimeOffset startTime, System.DateTimeOffset endTime, System.TimeSpan interval, Azure.IoT.TimeSeriesInsights.QueryAggregateSeriesRequestOptions options = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.IoT.TimeSeriesInsights.QueryAnalyzer CreateAggregateSeriesQueryAnalyzer(Azure.IoT.TimeSeriesInsights.TimeSeriesId timeSeriesId, System.TimeSpan interval, System.TimeSpan timeSpan, System.DateTimeOffset? endTime = default(System.DateTimeOffset?), Azure.IoT.TimeSeriesInsights.QueryAggregateSeriesRequestOptions options = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.IoT.TimeSeriesInsights.QueryAnalyzer CreateEventsQueryAnalyzer(Azure.IoT.TimeSeriesInsights.TimeSeriesId timeSeriesId, System.DateTimeOffset startTime, System.DateTimeOffset endTime, Azure.IoT.TimeSeriesInsights.QueryEventsRequestOptions options = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.IoT.TimeSeriesInsights.QueryAnalyzer CreateEventsQueryAnalyzer(Azure.IoT.TimeSeriesInsights.TimeSeriesId timeSeriesId, System.TimeSpan timeSpan, System.DateTimeOffset? endTime = default(System.DateTimeOffset?), Azure.IoT.TimeSeriesInsights.QueryEventsRequestOptions options = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.IoT.TimeSeriesInsights.QueryAnalyzer CreateSeriesQueryAnalyzer(Azure.IoT.TimeSeriesInsights.TimeSeriesId timeSeriesId, System.DateTimeOffset startTime, System.DateTimeOffset endTime, Azure.IoT.TimeSeriesInsights.QuerySeriesRequestOptions options = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.IoT.TimeSeriesInsights.QueryAnalyzer CreateSeriesQueryAnalyzer(Azure.IoT.TimeSeriesInsights.TimeSeriesId timeSeriesId, System.TimeSpan timeSpan, System.DateTimeOffset? endTime = default(System.DateTimeOffset?), Azure.IoT.TimeSeriesInsights.QuerySeriesRequestOptions options = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - } public partial class QueryEventsRequestOptions : Azure.IoT.TimeSeriesInsights.QueryRequestOptions { public QueryEventsRequestOptions() { } public int? MaximumNumberOfEvents { get { throw null; } set { } } public System.Collections.Generic.List ProjectedProperties { get { throw null; } } } - public partial class QueryRequest - { - public QueryRequest() { } - public Azure.IoT.TimeSeriesInsights.AggregateSeries AggregateSeries { get { throw null; } set { } } - public Azure.IoT.TimeSeriesInsights.GetEvents GetEvents { get { throw null; } set { } } - public Azure.IoT.TimeSeriesInsights.GetSeries GetSeries { get { throw null; } set { } } - } public abstract partial class QueryRequestOptions { protected QueryRequestOptions() { } @@ -292,10 +163,10 @@ public TimeSeriesExpression(string tsx) { } } public partial class TimeSeriesHierarchy { - public TimeSeriesHierarchy(string name, Azure.IoT.TimeSeriesInsights.Models.TimeSeriesHierarchySource source) { } + public TimeSeriesHierarchy(string name, Azure.IoT.TimeSeriesInsights.TimeSeriesHierarchySource source) { } public string Id { get { throw null; } set { } } public string Name { get { throw null; } set { } } - public Azure.IoT.TimeSeriesInsights.Models.TimeSeriesHierarchySource Source { get { throw null; } set { } } + public Azure.IoT.TimeSeriesInsights.TimeSeriesHierarchySource Source { get { throw null; } set { } } } public partial class TimeSeriesHierarchyOperationResult { @@ -303,6 +174,11 @@ internal TimeSeriesHierarchyOperationResult() { } public Azure.IoT.TimeSeriesInsights.TimeSeriesOperationError Error { get { throw null; } } public Azure.IoT.TimeSeriesInsights.TimeSeriesHierarchy Hierarchy { get { throw null; } } } + public partial class TimeSeriesHierarchySource + { + public TimeSeriesHierarchySource() { } + public System.Collections.Generic.IList InstanceFieldNames { get { throw null; } } + } public partial class TimeSeriesId { public TimeSeriesId(string key1) { } @@ -315,18 +191,35 @@ public partial class TimeSeriesIdProperty { internal TimeSeriesIdProperty() { } public string Name { get { throw null; } } - public Azure.IoT.TimeSeriesInsights.Models.TimeSeriesIdPropertyTypes? Type { get { throw null; } } + public Azure.IoT.TimeSeriesInsights.TimeSeriesIdPropertyTypes? Type { get { throw null; } } + } + [System.Runtime.InteropServices.StructLayoutAttribute(System.Runtime.InteropServices.LayoutKind.Sequential)] + public readonly partial struct TimeSeriesIdPropertyTypes : System.IEquatable + { + private readonly object _dummy; + private readonly int _dummyPrimitive; + public TimeSeriesIdPropertyTypes(string value) { throw null; } + public static Azure.IoT.TimeSeriesInsights.TimeSeriesIdPropertyTypes String { get { throw null; } } + public bool Equals(Azure.IoT.TimeSeriesInsights.TimeSeriesIdPropertyTypes other) { throw null; } + [System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Never)] + public override bool Equals(object obj) { throw null; } + [System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Never)] + public override int GetHashCode() { throw null; } + public static bool operator ==(Azure.IoT.TimeSeriesInsights.TimeSeriesIdPropertyTypes left, Azure.IoT.TimeSeriesInsights.TimeSeriesIdPropertyTypes right) { throw null; } + public static implicit operator Azure.IoT.TimeSeriesInsights.TimeSeriesIdPropertyTypes (string value) { throw null; } + public static bool operator !=(Azure.IoT.TimeSeriesInsights.TimeSeriesIdPropertyTypes left, Azure.IoT.TimeSeriesInsights.TimeSeriesIdPropertyTypes right) { throw null; } + public override string ToString() { throw null; } } public partial class TimeSeriesInsightsClient { protected TimeSeriesInsightsClient() { } public TimeSeriesInsightsClient(string environmentFqdn, Azure.Core.TokenCredential credential) { } public TimeSeriesInsightsClient(string environmentFqdn, Azure.Core.TokenCredential credential, Azure.IoT.TimeSeriesInsights.TimeSeriesInsightsClientOptions options) { } - public virtual Azure.IoT.TimeSeriesInsights.HierarchiesClient Hierarchies { get { throw null; } } - public virtual Azure.IoT.TimeSeriesInsights.InstancesClient Instances { get { throw null; } } - public virtual Azure.IoT.TimeSeriesInsights.ModelSettingsClient ModelSettings { get { throw null; } } - public virtual Azure.IoT.TimeSeriesInsights.QueryClient Query { get { throw null; } } - public virtual Azure.IoT.TimeSeriesInsights.TypesClient Types { get { throw null; } } + public virtual Azure.IoT.TimeSeriesInsights.TimeSeriesInsightsHierarchies Hierarchies { get { throw null; } } + public virtual Azure.IoT.TimeSeriesInsights.TimeSeriesInsightsInstances Instances { get { throw null; } } + public virtual Azure.IoT.TimeSeriesInsights.TimeSeriesInsightsModelSettings ModelSettings { get { throw null; } } + public virtual Azure.IoT.TimeSeriesInsights.TimeSeriesInsightsQuery Query { get { throw null; } } + public virtual Azure.IoT.TimeSeriesInsights.TimeSeriesInsightsTypes Types { get { throw null; } } } public partial class TimeSeriesInsightsClientOptions : Azure.Core.ClientOptions { @@ -337,6 +230,76 @@ public enum ServiceVersion V2020_07_31 = 1, } } + public partial class TimeSeriesInsightsHierarchies + { + protected TimeSeriesInsightsHierarchies() { } + public virtual Azure.Response CreateOrReplace(System.Collections.Generic.IEnumerable timeSeriesHierarchies, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task> CreateOrReplaceAsync(System.Collections.Generic.IEnumerable timeSeriesHierarchies, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response DeleteById(System.Collections.Generic.IEnumerable timeSeriesHierarchyIds, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task> DeleteByIdAsync(System.Collections.Generic.IEnumerable timeSeriesHierarchyIds, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response DeleteByName(System.Collections.Generic.IEnumerable timeSeriesHierarchyNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task> DeleteByNameAsync(System.Collections.Generic.IEnumerable timeSeriesHierarchyNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Pageable Get(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.AsyncPageable GetAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response GetById(System.Collections.Generic.IEnumerable timeSeriesHierarchyIds, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task> GetByIdAsync(System.Collections.Generic.IEnumerable timeSeriesHierarchyIds, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response GetByName(System.Collections.Generic.IEnumerable timeSeriesHierarchyNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task> GetByNameAsync(System.Collections.Generic.IEnumerable timeSeriesHierarchyNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + } + public partial class TimeSeriesInsightsInstances + { + protected TimeSeriesInsightsInstances() { } + public virtual Azure.Response CreateOrReplace(System.Collections.Generic.IEnumerable timeSeriesInstances, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task> CreateOrReplaceAsync(System.Collections.Generic.IEnumerable timeSeriesInstances, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response Delete(System.Collections.Generic.IEnumerable timeSeriesIds, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response Delete(System.Collections.Generic.IEnumerable timeSeriesNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task> DeleteAsync(System.Collections.Generic.IEnumerable timeSeriesIds, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task> DeleteAsync(System.Collections.Generic.IEnumerable timeSeriesNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response Get(System.Collections.Generic.IEnumerable timeSeriesIds, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response Get(System.Collections.Generic.IEnumerable timeSeriesNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Pageable Get(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task> GetAsync(System.Collections.Generic.IEnumerable timeSeriesIds, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task> GetAsync(System.Collections.Generic.IEnumerable timeSeriesNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.AsyncPageable GetAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response Replace(System.Collections.Generic.IEnumerable timeSeriesInstances, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task> ReplaceAsync(System.Collections.Generic.IEnumerable timeSeriesInstances, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + } + public partial class TimeSeriesInsightsModelSettings + { + protected TimeSeriesInsightsModelSettings() { } + public virtual Azure.Response Get(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task> GetAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response UpdateDefaultTypeId(string defaultTypeId, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task> UpdateDefaultTypeIdAsync(string defaultTypeId, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response UpdateName(string name, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task> UpdateNameAsync(string name, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + } + public partial class TimeSeriesInsightsQuery + { + protected TimeSeriesInsightsQuery() { } + public virtual Azure.IoT.TimeSeriesInsights.QueryAnalyzer CreateAggregateSeriesQueryAnalyzer(Azure.IoT.TimeSeriesInsights.TimeSeriesId timeSeriesId, System.DateTimeOffset startTime, System.DateTimeOffset endTime, System.TimeSpan interval, Azure.IoT.TimeSeriesInsights.QueryAggregateSeriesRequestOptions options = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.IoT.TimeSeriesInsights.QueryAnalyzer CreateAggregateSeriesQueryAnalyzer(Azure.IoT.TimeSeriesInsights.TimeSeriesId timeSeriesId, System.TimeSpan interval, System.TimeSpan timeSpan, System.DateTimeOffset? endTime = default(System.DateTimeOffset?), Azure.IoT.TimeSeriesInsights.QueryAggregateSeriesRequestOptions options = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.IoT.TimeSeriesInsights.QueryAnalyzer CreateEventsQueryAnalyzer(Azure.IoT.TimeSeriesInsights.TimeSeriesId timeSeriesId, System.DateTimeOffset startTime, System.DateTimeOffset endTime, Azure.IoT.TimeSeriesInsights.QueryEventsRequestOptions options = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.IoT.TimeSeriesInsights.QueryAnalyzer CreateEventsQueryAnalyzer(Azure.IoT.TimeSeriesInsights.TimeSeriesId timeSeriesId, System.TimeSpan timeSpan, System.DateTimeOffset? endTime = default(System.DateTimeOffset?), Azure.IoT.TimeSeriesInsights.QueryEventsRequestOptions options = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.IoT.TimeSeriesInsights.QueryAnalyzer CreateSeriesQueryAnalyzer(Azure.IoT.TimeSeriesInsights.TimeSeriesId timeSeriesId, System.DateTimeOffset startTime, System.DateTimeOffset endTime, Azure.IoT.TimeSeriesInsights.QuerySeriesRequestOptions options = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.IoT.TimeSeriesInsights.QueryAnalyzer CreateSeriesQueryAnalyzer(Azure.IoT.TimeSeriesInsights.TimeSeriesId timeSeriesId, System.TimeSpan timeSpan, System.DateTimeOffset? endTime = default(System.DateTimeOffset?), Azure.IoT.TimeSeriesInsights.QuerySeriesRequestOptions options = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + } + public partial class TimeSeriesInsightsTypes + { + protected TimeSeriesInsightsTypes() { } + public virtual Azure.Response CreateOrReplace(System.Collections.Generic.IEnumerable timeSeriesTypes, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task> CreateOrReplaceAsync(System.Collections.Generic.IEnumerable timeSeriesTypes, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response DeleteById(System.Collections.Generic.IEnumerable timeSeriesTypeIds, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task> DeleteByIdAsync(System.Collections.Generic.IEnumerable timeSeriesTypeIds, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response DeleteByName(System.Collections.Generic.IEnumerable timeSeriesTypeNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task> DeleteByNameAsync(System.Collections.Generic.IEnumerable timeSeriesTypeNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response GetById(System.Collections.Generic.IEnumerable timeSeriesTypeIds, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task> GetByIdAsync(System.Collections.Generic.IEnumerable timeSeriesTypeIds, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response GetByName(System.Collections.Generic.IEnumerable timeSeriesTypeNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task> GetByNameAsync(System.Collections.Generic.IEnumerable timeSeriesTypeNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Pageable GetTypes(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.AsyncPageable GetTypesAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + } public partial class TimeSeriesInstance { public TimeSeriesInstance(Azure.IoT.TimeSeriesInsights.TimeSeriesId timeSeriesId, string typeId) { } @@ -455,154 +418,4 @@ public partial class TimeSeriesVariable public TimeSeriesVariable() { } public Azure.IoT.TimeSeriesInsights.TimeSeriesExpression Filter { get { throw null; } set { } } } - public partial class TypesBatchRequest - { - public TypesBatchRequest() { } - public Azure.IoT.TimeSeriesInsights.TypesRequestBatchGetOrDelete Delete { get { throw null; } set { } } - public Azure.IoT.TimeSeriesInsights.TypesRequestBatchGetOrDelete Get { get { throw null; } set { } } - public System.Collections.Generic.IList Put { get { throw null; } } - } - public partial class TypesBatchResponse - { - internal TypesBatchResponse() { } - public System.Collections.Generic.IReadOnlyList Delete { get { throw null; } } - public System.Collections.Generic.IReadOnlyList Get { get { throw null; } } - public System.Collections.Generic.IReadOnlyList Put { get { throw null; } } - } - public partial class TypesClient - { - protected TypesClient() { } - public virtual Azure.Response CreateOrReplace(System.Collections.Generic.IEnumerable timeSeriesTypes, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task> CreateOrReplaceAsync(System.Collections.Generic.IEnumerable timeSeriesTypes, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response DeleteById(System.Collections.Generic.IEnumerable timeSeriesTypeIds, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task> DeleteByIdAsync(System.Collections.Generic.IEnumerable timeSeriesTypeIds, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response DeleteByName(System.Collections.Generic.IEnumerable timeSeriesTypeNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task> DeleteByNameAsync(System.Collections.Generic.IEnumerable timeSeriesTypeNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response GetById(System.Collections.Generic.IEnumerable timeSeriesTypeIds, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task> GetByIdAsync(System.Collections.Generic.IEnumerable timeSeriesTypeIds, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response GetByName(System.Collections.Generic.IEnumerable timeSeriesTypeNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task> GetByNameAsync(System.Collections.Generic.IEnumerable timeSeriesTypeNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Pageable GetTypes(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.AsyncPageable GetTypesAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - } - public partial class TypesRequestBatchGetOrDelete - { - public TypesRequestBatchGetOrDelete() { } - public System.Collections.Generic.IList Names { get { throw null; } } - public System.Collections.Generic.IList TypeIds { get { throw null; } } - } -} -namespace Azure.IoT.TimeSeriesInsights.Models -{ - [System.Runtime.InteropServices.StructLayoutAttribute(System.Runtime.InteropServices.LayoutKind.Sequential)] - public readonly partial struct HierarchiesExpandKind : System.IEquatable - { - private readonly object _dummy; - private readonly int _dummyPrimitive; - public HierarchiesExpandKind(string value) { throw null; } - public static Azure.IoT.TimeSeriesInsights.Models.HierarchiesExpandKind OneLevel { get { throw null; } } - public static Azure.IoT.TimeSeriesInsights.Models.HierarchiesExpandKind UntilChildren { get { throw null; } } - public bool Equals(Azure.IoT.TimeSeriesInsights.Models.HierarchiesExpandKind other) { throw null; } - [System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Never)] - public override bool Equals(object obj) { throw null; } - [System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Never)] - public override int GetHashCode() { throw null; } - public static bool operator ==(Azure.IoT.TimeSeriesInsights.Models.HierarchiesExpandKind left, Azure.IoT.TimeSeriesInsights.Models.HierarchiesExpandKind right) { throw null; } - public static implicit operator Azure.IoT.TimeSeriesInsights.Models.HierarchiesExpandKind (string value) { throw null; } - public static bool operator !=(Azure.IoT.TimeSeriesInsights.Models.HierarchiesExpandKind left, Azure.IoT.TimeSeriesInsights.Models.HierarchiesExpandKind right) { throw null; } - public override string ToString() { throw null; } - } - [System.Runtime.InteropServices.StructLayoutAttribute(System.Runtime.InteropServices.LayoutKind.Sequential)] - public readonly partial struct HierarchiesSortBy : System.IEquatable - { - private readonly object _dummy; - private readonly int _dummyPrimitive; - public HierarchiesSortBy(string value) { throw null; } - public static Azure.IoT.TimeSeriesInsights.Models.HierarchiesSortBy CumulativeInstanceCount { get { throw null; } } - public static Azure.IoT.TimeSeriesInsights.Models.HierarchiesSortBy Name { get { throw null; } } - public bool Equals(Azure.IoT.TimeSeriesInsights.Models.HierarchiesSortBy other) { throw null; } - [System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Never)] - public override bool Equals(object obj) { throw null; } - [System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Never)] - public override int GetHashCode() { throw null; } - public static bool operator ==(Azure.IoT.TimeSeriesInsights.Models.HierarchiesSortBy left, Azure.IoT.TimeSeriesInsights.Models.HierarchiesSortBy right) { throw null; } - public static implicit operator Azure.IoT.TimeSeriesInsights.Models.HierarchiesSortBy (string value) { throw null; } - public static bool operator !=(Azure.IoT.TimeSeriesInsights.Models.HierarchiesSortBy left, Azure.IoT.TimeSeriesInsights.Models.HierarchiesSortBy right) { throw null; } - public override string ToString() { throw null; } - } - public partial class InstanceHitHighlights - { - internal InstanceHitHighlights() { } - public string Description { get { throw null; } } - public System.Collections.Generic.IReadOnlyList HierarchyIds { get { throw null; } } - public System.Collections.Generic.IReadOnlyList HierarchyNames { get { throw null; } } - public System.Collections.Generic.IReadOnlyList InstanceFieldNames { get { throw null; } } - public System.Collections.Generic.IReadOnlyList InstanceFieldValues { get { throw null; } } - public string Name { get { throw null; } } - public System.Collections.Generic.IReadOnlyList TimeSeriesId { get { throw null; } } - public string TypeName { get { throw null; } } - } - [System.Runtime.InteropServices.StructLayoutAttribute(System.Runtime.InteropServices.LayoutKind.Sequential)] - public readonly partial struct InstancesSortBy : System.IEquatable - { - private readonly object _dummy; - private readonly int _dummyPrimitive; - public InstancesSortBy(string value) { throw null; } - public static Azure.IoT.TimeSeriesInsights.Models.InstancesSortBy DisplayName { get { throw null; } } - public static Azure.IoT.TimeSeriesInsights.Models.InstancesSortBy Rank { get { throw null; } } - public bool Equals(Azure.IoT.TimeSeriesInsights.Models.InstancesSortBy other) { throw null; } - [System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Never)] - public override bool Equals(object obj) { throw null; } - [System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Never)] - public override int GetHashCode() { throw null; } - public static bool operator ==(Azure.IoT.TimeSeriesInsights.Models.InstancesSortBy left, Azure.IoT.TimeSeriesInsights.Models.InstancesSortBy right) { throw null; } - public static implicit operator Azure.IoT.TimeSeriesInsights.Models.InstancesSortBy (string value) { throw null; } - public static bool operator !=(Azure.IoT.TimeSeriesInsights.Models.InstancesSortBy left, Azure.IoT.TimeSeriesInsights.Models.InstancesSortBy right) { throw null; } - public override string ToString() { throw null; } - } - public partial class InterpolationBoundary - { - public InterpolationBoundary() { } - public System.TimeSpan? Span { get { throw null; } set { } } - } - [System.Runtime.InteropServices.StructLayoutAttribute(System.Runtime.InteropServices.LayoutKind.Sequential)] - public readonly partial struct InterpolationKind : System.IEquatable - { - private readonly object _dummy; - private readonly int _dummyPrimitive; - public InterpolationKind(string value) { throw null; } - public static Azure.IoT.TimeSeriesInsights.Models.InterpolationKind Linear { get { throw null; } } - public static Azure.IoT.TimeSeriesInsights.Models.InterpolationKind Step { get { throw null; } } - public bool Equals(Azure.IoT.TimeSeriesInsights.Models.InterpolationKind other) { throw null; } - [System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Never)] - public override bool Equals(object obj) { throw null; } - [System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Never)] - public override int GetHashCode() { throw null; } - public static bool operator ==(Azure.IoT.TimeSeriesInsights.Models.InterpolationKind left, Azure.IoT.TimeSeriesInsights.Models.InterpolationKind right) { throw null; } - public static implicit operator Azure.IoT.TimeSeriesInsights.Models.InterpolationKind (string value) { throw null; } - public static bool operator !=(Azure.IoT.TimeSeriesInsights.Models.InterpolationKind left, Azure.IoT.TimeSeriesInsights.Models.InterpolationKind right) { throw null; } - public override string ToString() { throw null; } - } - public partial class TimeSeriesHierarchySource - { - public TimeSeriesHierarchySource() { } - public System.Collections.Generic.IList InstanceFieldNames { get { throw null; } } - } - [System.Runtime.InteropServices.StructLayoutAttribute(System.Runtime.InteropServices.LayoutKind.Sequential)] - public readonly partial struct TimeSeriesIdPropertyTypes : System.IEquatable - { - private readonly object _dummy; - private readonly int _dummyPrimitive; - public TimeSeriesIdPropertyTypes(string value) { throw null; } - public static Azure.IoT.TimeSeriesInsights.Models.TimeSeriesIdPropertyTypes String { get { throw null; } } - public bool Equals(Azure.IoT.TimeSeriesInsights.Models.TimeSeriesIdPropertyTypes other) { throw null; } - [System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Never)] - public override bool Equals(object obj) { throw null; } - [System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Never)] - public override int GetHashCode() { throw null; } - public static bool operator ==(Azure.IoT.TimeSeriesInsights.Models.TimeSeriesIdPropertyTypes left, Azure.IoT.TimeSeriesInsights.Models.TimeSeriesIdPropertyTypes right) { throw null; } - public static implicit operator Azure.IoT.TimeSeriesInsights.Models.TimeSeriesIdPropertyTypes (string value) { throw null; } - public static bool operator !=(Azure.IoT.TimeSeriesInsights.Models.TimeSeriesIdPropertyTypes left, Azure.IoT.TimeSeriesInsights.Models.TimeSeriesIdPropertyTypes right) { throw null; } - public override string ToString() { throw null; } - } } diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/samples/TimeSeriesInsightsClientSample/HierarchiesSamples.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/samples/TimeSeriesInsightsClientSample/HierarchiesSamples.cs index 2b0d9877ea39..2a9802a7f019 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/samples/TimeSeriesInsightsClientSample/HierarchiesSamples.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/samples/TimeSeriesInsightsClientSample/HierarchiesSamples.cs @@ -4,7 +4,6 @@ using System; using System.Collections.Generic; using System.Threading.Tasks; -using Azure.IoT.TimeSeriesInsights.Models; using static Azure.IoT.TimeSeriesInsights.Samples.SampleLogger; namespace Azure.IoT.TimeSeriesInsights.Samples diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/AggregateSeries.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/AggregateSeries.Serialization.cs index e3c8d137a99e..36028826eafd 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/AggregateSeries.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/AggregateSeries.Serialization.cs @@ -11,7 +11,7 @@ namespace Azure.IoT.TimeSeriesInsights /// order to turn Time Series Ids from a strongly typed object to an list of objects that /// the service can understand, and vice versa. /// - public partial class AggregateSeries : IUtf8JsonSerializable + internal partial class AggregateSeries : IUtf8JsonSerializable { // The use of fully qualified name for IUtf8JsonSerializable is a work around until this // issue is fixed: https://github.com/Azure/autorest.csharp/issues/793 diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/AggregateSeries.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/AggregateSeries.cs index aa30982dcb7d..629d2403c80b 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/AggregateSeries.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/AggregateSeries.cs @@ -13,7 +13,7 @@ namespace Azure.IoT.TimeSeriesInsights /// [CodeGenModel("AggregateSeries")] [CodeGenSuppress("AggregateSeries", typeof(IEnumerable), typeof(DateTimeRange), typeof(TimeSpan))] - public partial class AggregateSeries + internal partial class AggregateSeries { // Autorest does not support changing type for properties. In order to turn TimeSeriesId // from a list of objects to a strongly typed object, TimeSeriesId has been renamed to diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/GetEvents.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/GetEvents.Serialization.cs index 24726d345558..9b383c85e2f9 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/GetEvents.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/GetEvents.Serialization.cs @@ -11,7 +11,7 @@ namespace Azure.IoT.TimeSeriesInsights /// order to turn Time Series Ids from a strongly typed object to an list of objects that /// the service can understand, and vice versa. /// - public partial class GetEvents : IUtf8JsonSerializable + internal partial class GetEvents : IUtf8JsonSerializable { // The use of fully qualified name for IUtf8JsonSerializable is a work around until this // issue is fixed: https://github.com/Azure/autorest.csharp/issues/793 diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/GetEvents.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/GetEvents.cs index 755835490372..619f01980406 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/GetEvents.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/GetEvents.cs @@ -12,7 +12,7 @@ namespace Azure.IoT.TimeSeriesInsights /// [CodeGenModel("GetEvents")] [CodeGenSuppress("GetEvents", typeof(IEnumerable), typeof(DateTimeRange))] - public partial class GetEvents + internal partial class GetEvents { // Autorest does not support changing type for properties. In order to turn TimeSeriesId // from a list of objects to a strongly typed object, TimeSeriesId has been renamed to diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/GetSeries.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/GetSeries.Serialization.cs index e9c722218f04..87f036bbb60d 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/GetSeries.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/GetSeries.Serialization.cs @@ -11,7 +11,7 @@ namespace Azure.IoT.TimeSeriesInsights /// order to turn Time Series Ids from a strongly typed object to an list of objects that /// the service can understand, and vice versa. /// - public partial class GetSeries : IUtf8JsonSerializable + internal partial class GetSeries : IUtf8JsonSerializable { // The use of fully qualified name for IUtf8JsonSerializable is a work around until this // issue is fixed: https://github.com/Azure/autorest.csharp/issues/793 diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/GetSeries.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/GetSeries.cs index 7e69858b592b..d425d515ab32 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/GetSeries.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/GetSeries.cs @@ -12,7 +12,7 @@ namespace Azure.IoT.TimeSeriesInsights /// [CodeGenModel("GetSeries")] [CodeGenSuppress("GetSeries", typeof(IEnumerable), typeof(DateTimeRange))] - public partial class GetSeries + internal partial class GetSeries { // Autorest does not support changing type for properties. In order to turn TimeSeriesId // from a list of objects to a strongly typed object, TimeSeriesId has been renamed to diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/HierarchiesBatchResponse.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/HierarchiesBatchResponse.Serialization.cs index eafed291cd94..241a38069004 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/HierarchiesBatchResponse.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/HierarchiesBatchResponse.Serialization.cs @@ -12,7 +12,7 @@ namespace Azure.IoT.TimeSeriesInsights /// from Time Series Insights into a HierarchiesBatchResponse object. /// [CodeGenModel("HierarchiesBatchResponse")] - public partial class HierarchiesBatchResponse + internal partial class HierarchiesBatchResponse { // The purpose of overriding this method is to protect against an InvalidOperationException // that is being thrown by the generated code. More specifically, the exception is being thrown diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/HierarchiesExpandKind.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/HierarchiesExpandKind.cs new file mode 100644 index 000000000000..2d5106b4ec79 --- /dev/null +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/HierarchiesExpandKind.cs @@ -0,0 +1,12 @@ +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License. + +using Azure.Core; + +namespace Azure.IoT.TimeSeriesInsights +{ + [CodeGenModel("HierarchiesExpandKind")] + internal readonly partial struct HierarchiesExpandKind + { + } +} diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/HierarchiesSortBy.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/HierarchiesSortBy.cs new file mode 100644 index 000000000000..0f490a28dd46 --- /dev/null +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/HierarchiesSortBy.cs @@ -0,0 +1,12 @@ +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License. + +using Azure.Core; + +namespace Azure.IoT.TimeSeriesInsights +{ + [CodeGenModel("HierarchiesSortBy")] + internal readonly partial struct HierarchiesSortBy + { + } +} diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InstanceHitHighlights.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InstanceHitHighlights.cs new file mode 100644 index 000000000000..4da889235627 --- /dev/null +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InstanceHitHighlights.cs @@ -0,0 +1,12 @@ +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License. + +using Azure.Core; + +namespace Azure.IoT.TimeSeriesInsights +{ + [CodeGenModel("InstanceHitHighlights")] + internal partial class InstanceHitHighlights + { + } +} diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InstancesBatchResponse.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InstancesBatchResponse.Serialization.cs index 45fe5597c1bb..3e02aa41e9aa 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InstancesBatchResponse.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InstancesBatchResponse.Serialization.cs @@ -12,7 +12,7 @@ namespace Azure.IoT.TimeSeriesInsights /// from Time Series Insights into a InstancesBatchResponse object. /// [CodeGenModel("InstancesBatchResponse")] - public partial class InstancesBatchResponse + internal partial class InstancesBatchResponse { // The purpose of overriding this method is to protect against an InvalidOperationException // that is being thrown by the generated code. More specifically, the exception is being thrown diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InstancesRequestBatchGetOrDelete.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InstancesRequestBatchGetOrDelete.Serialization.cs index edd2bc2b0bb9..8ce3c4492ee6 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InstancesRequestBatchGetOrDelete.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InstancesRequestBatchGetOrDelete.Serialization.cs @@ -10,7 +10,7 @@ namespace Azure.IoT.TimeSeriesInsights /// This class definition overrides serialization implementation in order to turn Time /// Series Ids from a strongly typed object to an list of objects that the service can understand. /// - public partial class InstancesRequestBatchGetOrDelete : IUtf8JsonSerializable + internal partial class InstancesRequestBatchGetOrDelete : IUtf8JsonSerializable { // This class declaration overrides the logic that serializes the object. More specifically, to // serialize "timeSeriesIds". Since TimeSeriesIds changed from a list of objects to a strongly diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InstancesRequestBatchGetOrDelete.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InstancesRequestBatchGetOrDelete.cs index 5b71759ae1d2..22b33560f41e 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InstancesRequestBatchGetOrDelete.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InstancesRequestBatchGetOrDelete.cs @@ -11,7 +11,7 @@ namespace Azure.IoT.TimeSeriesInsights /// Exactly one of "timeSeriesIds" or "names" must be set. /// [CodeGenModel("InstancesRequestBatchGetOrDelete")] - public partial class InstancesRequestBatchGetOrDelete + internal partial class InstancesRequestBatchGetOrDelete { // Autorest does not support changing type for properties. In order to turn TimeSeriesId // from a list of objects to a strongly typed object, TimeSeriesId has been renamed to diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InstancesSortBy.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InstancesSortBy.cs new file mode 100644 index 000000000000..509b230c2540 --- /dev/null +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InstancesSortBy.cs @@ -0,0 +1,12 @@ +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License. + +using Azure.Core; + +namespace Azure.IoT.TimeSeriesInsights +{ + [CodeGenModel("InstancesSortBy")] + internal readonly partial struct InstancesSortBy + { + } +} diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InterpolationBoundary.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InterpolationBoundary.cs new file mode 100644 index 000000000000..9e6edce0a277 --- /dev/null +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InterpolationBoundary.cs @@ -0,0 +1,16 @@ +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License. + +using Azure.Core; + +namespace Azure.IoT.TimeSeriesInsights +{ + /// + /// The time range to the left and right of the search span to be used for Interpolation. This is helpful in scenarios where the data points are + /// missing close to the start or end of the input search span. Can be null. + /// + [CodeGenModel("InterpolationBoundary")] + public partial class InterpolationBoundary + { + } +} diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InterpolationKind.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InterpolationKind.cs new file mode 100644 index 000000000000..5655976c6a2a --- /dev/null +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/InterpolationKind.cs @@ -0,0 +1,15 @@ +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License. + +using Azure.Core; + +namespace Azure.IoT.TimeSeriesInsights +{ + /// + ///The type of interpolation technique : "Linear" or "Step". + /// + [CodeGenModel("InterpolationKind")] + public readonly partial struct InterpolationKind + { + } +} diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/TimeSeriesHierarchySource.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/TimeSeriesHierarchySource.cs new file mode 100644 index 000000000000..9bdde6d83b38 --- /dev/null +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/TimeSeriesHierarchySource.cs @@ -0,0 +1,15 @@ +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License. + +using Azure.Core; + +namespace Azure.IoT.TimeSeriesInsights +{ + /// + ///Definition of how time series hierarchy tree levels are created. + /// + [CodeGenModel("TimeSeriesHierarchySource")] + public partial class TimeSeriesHierarchySource + { + } +} diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/TimeSeriesIdPropertyTypes.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/TimeSeriesIdPropertyTypes.cs new file mode 100644 index 000000000000..dfb5d5099989 --- /dev/null +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/TimeSeriesIdPropertyTypes.cs @@ -0,0 +1,15 @@ +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License. + +using Azure.Core; + +namespace Azure.IoT.TimeSeriesInsights +{ + /// + /// The type of the property. Currently, only "String" is supported. + /// + [CodeGenModel("TimeSeriesIdPropertyTypes")] + public readonly partial struct TimeSeriesIdPropertyTypes + { + } +} diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/TypesBatchResponse.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/TypesBatchResponse.Serialization.cs index 1c461be0f572..66ccadc6e03f 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/TypesBatchResponse.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Customized/Models/TypesBatchResponse.Serialization.cs @@ -12,7 +12,7 @@ namespace Azure.IoT.TimeSeriesInsights /// from Time Series Insights into a TypesBatchResponse object. /// [CodeGenModel("TypesBatchResponse")] - public partial class TypesBatchResponse + internal partial class TypesBatchResponse { // The purpose of overriding this method is to protect against an InvalidOperationException // that is being thrown by the generated code. More specifically, the exception is being thrown diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/AggregateSeries.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/AggregateSeries.Serialization.cs index 87af62e4601a..d0dbde91f2bb 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/AggregateSeries.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/AggregateSeries.Serialization.cs @@ -10,7 +10,7 @@ namespace Azure.IoT.TimeSeriesInsights { - public partial class AggregateSeries : IUtf8JsonSerializable + internal partial class AggregateSeries : IUtf8JsonSerializable { } } diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/AggregateSeries.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/AggregateSeries.cs index 35e190110dd6..140fa835c6df 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/AggregateSeries.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/AggregateSeries.cs @@ -13,7 +13,7 @@ namespace Azure.IoT.TimeSeriesInsights { /// Aggregate Series query. Allows to calculate an aggregated time series from events for a given Time Series ID and search span. - public partial class AggregateSeries + internal partial class AggregateSeries { /// The range of time on which the query is executed. Cannot be null. public DateTimeRange SearchSpan { get; } diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetEvents.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetEvents.Serialization.cs index 01244c51d90c..56591ed5d721 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetEvents.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetEvents.Serialization.cs @@ -10,7 +10,7 @@ namespace Azure.IoT.TimeSeriesInsights { - public partial class GetEvents : IUtf8JsonSerializable + internal partial class GetEvents : IUtf8JsonSerializable { } } diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetEvents.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetEvents.cs index 13f3d1a5b610..587c36342ac2 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetEvents.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetEvents.cs @@ -13,7 +13,7 @@ namespace Azure.IoT.TimeSeriesInsights { /// Get Events query. Allows to retrieve raw events for a given Time Series ID and search span. - public partial class GetEvents + internal partial class GetEvents { /// The range of time on which the query is executed. Cannot be null. public DateTimeRange SearchSpan { get; } diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetHierarchiesPage.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetHierarchiesPage.Serialization.cs index ed147fac9901..b09bb276f103 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetHierarchiesPage.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetHierarchiesPage.Serialization.cs @@ -11,7 +11,7 @@ namespace Azure.IoT.TimeSeriesInsights { - public partial class GetHierarchiesPage + internal partial class GetHierarchiesPage { internal static GetHierarchiesPage DeserializeGetHierarchiesPage(JsonElement element) { diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetHierarchiesPage.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetHierarchiesPage.cs index 72ec9420eccd..f3bc66e4655e 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetHierarchiesPage.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetHierarchiesPage.cs @@ -11,7 +11,7 @@ namespace Azure.IoT.TimeSeriesInsights { /// Partial list of time series hierarchies returned in a single request. - public partial class GetHierarchiesPage : PagedResponse + internal partial class GetHierarchiesPage : PagedResponse { /// Initializes a new instance of GetHierarchiesPage. internal GetHierarchiesPage() diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetInstancesPage.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetInstancesPage.Serialization.cs index 323dc3f71a44..591f586b50b5 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetInstancesPage.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetInstancesPage.Serialization.cs @@ -11,7 +11,7 @@ namespace Azure.IoT.TimeSeriesInsights { - public partial class GetInstancesPage + internal partial class GetInstancesPage { internal static GetInstancesPage DeserializeGetInstancesPage(JsonElement element) { diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetInstancesPage.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetInstancesPage.cs index 80fc85515d92..6a03a92e1470 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetInstancesPage.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetInstancesPage.cs @@ -11,7 +11,7 @@ namespace Azure.IoT.TimeSeriesInsights { /// Partial list of time series instances returned in a single request. - public partial class GetInstancesPage : PagedResponse + internal partial class GetInstancesPage : PagedResponse { /// Initializes a new instance of GetInstancesPage. internal GetInstancesPage() diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetSeries.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetSeries.Serialization.cs index d7666f712677..51f4735a33f1 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetSeries.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetSeries.Serialization.cs @@ -10,7 +10,7 @@ namespace Azure.IoT.TimeSeriesInsights { - public partial class GetSeries : IUtf8JsonSerializable + internal partial class GetSeries : IUtf8JsonSerializable { } } diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetSeries.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetSeries.cs index 212ae161219c..e13ef7f9b465 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetSeries.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetSeries.cs @@ -13,7 +13,7 @@ namespace Azure.IoT.TimeSeriesInsights { /// Get Series query. Allows to retrieve time series of calculated variable values from events for a given Time Series ID and search span. - public partial class GetSeries + internal partial class GetSeries { /// The range of time on which the query is executed. Cannot be null. public DateTimeRange SearchSpan { get; } diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetTypesPage.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetTypesPage.Serialization.cs index db9f5d0c64e1..4661b42cc83f 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetTypesPage.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetTypesPage.Serialization.cs @@ -11,7 +11,7 @@ namespace Azure.IoT.TimeSeriesInsights { - public partial class GetTypesPage + internal partial class GetTypesPage { internal static GetTypesPage DeserializeGetTypesPage(JsonElement element) { diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetTypesPage.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetTypesPage.cs index 2aefa2b772d0..ca764e25eb5b 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetTypesPage.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/GetTypesPage.cs @@ -11,7 +11,7 @@ namespace Azure.IoT.TimeSeriesInsights { /// Partial list of time series types returned in a single request. - public partial class GetTypesPage : PagedResponse + internal partial class GetTypesPage : PagedResponse { /// Initializes a new instance of GetTypesPage. internal GetTypesPage() diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesBatchRequest.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesBatchRequest.Serialization.cs index 1c17a4e226b4..b3f28b650231 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesBatchRequest.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesBatchRequest.Serialization.cs @@ -10,7 +10,7 @@ namespace Azure.IoT.TimeSeriesInsights { - public partial class HierarchiesBatchRequest : IUtf8JsonSerializable + internal partial class HierarchiesBatchRequest : IUtf8JsonSerializable { void IUtf8JsonSerializable.Write(Utf8JsonWriter writer) { diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesBatchRequest.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesBatchRequest.cs index afb43e312600..8f993eafd5db 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesBatchRequest.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesBatchRequest.cs @@ -11,7 +11,7 @@ namespace Azure.IoT.TimeSeriesInsights { /// Request to perform a single operation on a batch of hierarchies. Exactly one of "get", "put" or "delete" must be set. - public partial class HierarchiesBatchRequest + internal partial class HierarchiesBatchRequest { /// Initializes a new instance of HierarchiesBatchRequest. public HierarchiesBatchRequest() diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesBatchResponse.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesBatchResponse.Serialization.cs index b2efec1e474f..ae9420a5501f 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesBatchResponse.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesBatchResponse.Serialization.cs @@ -11,7 +11,7 @@ namespace Azure.IoT.TimeSeriesInsights { - public partial class HierarchiesBatchResponse + internal partial class HierarchiesBatchResponse { } } diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesBatchResponse.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesBatchResponse.cs index 547b8937691b..a380d30a248d 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesBatchResponse.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesBatchResponse.cs @@ -11,7 +11,7 @@ namespace Azure.IoT.TimeSeriesInsights { /// Response of a single operation on a batch of time series hierarchies. Only one of "get", "put" or "delete" will be set. - public partial class HierarchiesBatchResponse + internal partial class HierarchiesBatchResponse { /// Initializes a new instance of HierarchiesBatchResponse. internal HierarchiesBatchResponse() diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesExpandKind.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesExpandKind.cs index 7b0ed2332a4c..9f2aa8c929db 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesExpandKind.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesExpandKind.cs @@ -8,10 +8,10 @@ using System; using System.ComponentModel; -namespace Azure.IoT.TimeSeriesInsights.Models +namespace Azure.IoT.TimeSeriesInsights { /// Kind of the expansion of hierarchy nodes. When it is set to 'UntilChildren', the hierarchy nodes are expanded recursively until there is more than one child. When it is set to 'OneLevel', the hierarchies are expanded only at the single level matching path search instances parameter. Optional, default is 'UntilChildren'. - public readonly partial struct HierarchiesExpandKind : IEquatable + internal readonly partial struct HierarchiesExpandKind : IEquatable { private readonly string _value; diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesExpandParameter.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesExpandParameter.cs index 200055cefdaa..5765b1e2b351 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesExpandParameter.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesExpandParameter.cs @@ -5,8 +5,6 @@ #nullable disable -using Azure.IoT.TimeSeriesInsights.Models; - namespace Azure.IoT.TimeSeriesInsights { /// Definition of whether to expand hierarchy nodes in the same search instances call. diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesRequestBatchGetDelete.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesRequestBatchGetDelete.Serialization.cs index 7b8da9db4186..7897160f969b 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesRequestBatchGetDelete.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesRequestBatchGetDelete.Serialization.cs @@ -10,7 +10,7 @@ namespace Azure.IoT.TimeSeriesInsights { - public partial class HierarchiesRequestBatchGetDelete : IUtf8JsonSerializable + internal partial class HierarchiesRequestBatchGetDelete : IUtf8JsonSerializable { void IUtf8JsonSerializable.Write(Utf8JsonWriter writer) { diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesRequestBatchGetDelete.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesRequestBatchGetDelete.cs index 9b65fe60c15b..92427e1b1743 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesRequestBatchGetDelete.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesRequestBatchGetDelete.cs @@ -11,7 +11,7 @@ namespace Azure.IoT.TimeSeriesInsights { /// Request to get or delete multiple time series hierarchies. Exactly one of "hierarchyIds" or "names" must be set. - public partial class HierarchiesRequestBatchGetDelete + internal partial class HierarchiesRequestBatchGetDelete { /// Initializes a new instance of HierarchiesRequestBatchGetDelete. public HierarchiesRequestBatchGetDelete() diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesSortBy.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesSortBy.cs index 4aa4f4e35280..d9bcf72d3941 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesSortBy.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesSortBy.cs @@ -8,10 +8,10 @@ using System; using System.ComponentModel; -namespace Azure.IoT.TimeSeriesInsights.Models +namespace Azure.IoT.TimeSeriesInsights { /// Value to use for hierarchy node sorting. When it is set to 'CumulativeInstanceCount', the returned hierarchies are sorted based on the total instances belonging to the hierarchy node and its child hierarchy nodes. When it is set to 'Name', the returned hierarchies are sorted based on the hierarchy name. Optional, default is 'CumulativeInstanceCount'. - public readonly partial struct HierarchiesSortBy : IEquatable + internal readonly partial struct HierarchiesSortBy : IEquatable { private readonly string _value; diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesSortParameter.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesSortParameter.cs index 9ad912488d76..659900933472 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesSortParameter.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/HierarchiesSortParameter.cs @@ -5,8 +5,6 @@ #nullable disable -using Azure.IoT.TimeSeriesInsights.Models; - namespace Azure.IoT.TimeSeriesInsights { /// Definition of sorting of hierarchy nodes. diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstanceHit.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstanceHit.Serialization.cs index c617295bd702..527f145bc448 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstanceHit.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstanceHit.Serialization.cs @@ -8,7 +8,6 @@ using System.Collections.Generic; using System.Text.Json; using Azure.Core; -using Azure.IoT.TimeSeriesInsights.Models; namespace Azure.IoT.TimeSeriesInsights { diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstanceHit.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstanceHit.cs index 8c4f3c77caf3..34c7c07ed4a0 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstanceHit.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstanceHit.cs @@ -7,7 +7,6 @@ using System.Collections.Generic; using Azure.Core; -using Azure.IoT.TimeSeriesInsights.Models; namespace Azure.IoT.TimeSeriesInsights { diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstanceHitHighlights.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstanceHitHighlights.Serialization.cs index d31d4e10bc90..0371e9975b4d 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstanceHitHighlights.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstanceHitHighlights.Serialization.cs @@ -9,9 +9,9 @@ using System.Text.Json; using Azure.Core; -namespace Azure.IoT.TimeSeriesInsights.Models +namespace Azure.IoT.TimeSeriesInsights { - public partial class InstanceHitHighlights + internal partial class InstanceHitHighlights { internal static InstanceHitHighlights DeserializeInstanceHitHighlights(JsonElement element) { diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstanceHitHighlights.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstanceHitHighlights.cs index 07a6bc11c971..412da47d3caf 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstanceHitHighlights.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstanceHitHighlights.cs @@ -8,10 +8,10 @@ using System.Collections.Generic; using Azure.Core; -namespace Azure.IoT.TimeSeriesInsights.Models +namespace Azure.IoT.TimeSeriesInsights { /// Highlighted text of time series instance to be displayed to the user. Highlighting inserts <hit> and </hit> tags in the portions of text that matched the search string. Do not use any of the highlighted properties to do further API calls. - public partial class InstanceHitHighlights + internal partial class InstanceHitHighlights { /// Initializes a new instance of InstanceHitHighlights. internal InstanceHitHighlights() diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesBatchRequest.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesBatchRequest.Serialization.cs index e9db62add7f1..b8f182d10cb4 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesBatchRequest.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesBatchRequest.Serialization.cs @@ -10,7 +10,7 @@ namespace Azure.IoT.TimeSeriesInsights { - public partial class InstancesBatchRequest : IUtf8JsonSerializable + internal partial class InstancesBatchRequest : IUtf8JsonSerializable { void IUtf8JsonSerializable.Write(Utf8JsonWriter writer) { diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesBatchRequest.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesBatchRequest.cs index 8106f41c171d..0f45c20c0fb2 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesBatchRequest.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesBatchRequest.cs @@ -11,7 +11,7 @@ namespace Azure.IoT.TimeSeriesInsights { /// Request to perform a single operation on a batch of instances. Exactly one of "get", "put", "update" or "delete" must be set. - public partial class InstancesBatchRequest + internal partial class InstancesBatchRequest { /// Initializes a new instance of InstancesBatchRequest. public InstancesBatchRequest() diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesBatchResponse.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesBatchResponse.Serialization.cs index 9f11b9bcd4fa..94489e3f0bc8 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesBatchResponse.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesBatchResponse.Serialization.cs @@ -11,7 +11,7 @@ namespace Azure.IoT.TimeSeriesInsights { - public partial class InstancesBatchResponse + internal partial class InstancesBatchResponse { } } diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesBatchResponse.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesBatchResponse.cs index 9a357e6938b8..02b6f2b8b241 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesBatchResponse.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesBatchResponse.cs @@ -11,7 +11,7 @@ namespace Azure.IoT.TimeSeriesInsights { /// Response of a single operation on a batch of instances. Only one of "get", "put", "update" or "delete" will be set based on the request. - public partial class InstancesBatchResponse + internal partial class InstancesBatchResponse { /// Initializes a new instance of InstancesBatchResponse. internal InstancesBatchResponse() diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesRequestBatchGetOrDelete.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesRequestBatchGetOrDelete.Serialization.cs index c8f89390eb14..964d61ae9747 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesRequestBatchGetOrDelete.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesRequestBatchGetOrDelete.Serialization.cs @@ -10,7 +10,7 @@ namespace Azure.IoT.TimeSeriesInsights { - public partial class InstancesRequestBatchGetOrDelete : IUtf8JsonSerializable + internal partial class InstancesRequestBatchGetOrDelete : IUtf8JsonSerializable { } } diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesRequestBatchGetOrDelete.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesRequestBatchGetOrDelete.cs index 8c2e39d0567d..894be50bf2d8 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesRequestBatchGetOrDelete.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesRequestBatchGetOrDelete.cs @@ -11,7 +11,7 @@ namespace Azure.IoT.TimeSeriesInsights { /// Request to get or delete instances by time series IDs or time series names. Exactly one of "timeSeriesIds" or "names" must be set. - public partial class InstancesRequestBatchGetOrDelete + internal partial class InstancesRequestBatchGetOrDelete { /// List of names of the time series instances to return or delete. public IList Names { get; } diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesSortBy.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesSortBy.cs index a27a15cb8078..cc304810111a 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesSortBy.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesSortBy.cs @@ -8,10 +8,10 @@ using System; using System.ComponentModel; -namespace Azure.IoT.TimeSeriesInsights.Models +namespace Azure.IoT.TimeSeriesInsights { /// Value to use for sorting of the time series instances before being returned by search instances call. When it is set to 'Rank', the returned instances are sorted based on the relevance. When it is set to 'DisplayName', the returned results are sorted based on the display name. Display name is the name of the instance if it exists, otherwise, display name is the time series ID. Default is 'Rank'. - public readonly partial struct InstancesSortBy : IEquatable + internal readonly partial struct InstancesSortBy : IEquatable { private readonly string _value; diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesSortParameter.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesSortParameter.cs index a7780a4fdd52..26fbe8a9c954 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesSortParameter.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InstancesSortParameter.cs @@ -5,8 +5,6 @@ #nullable disable -using Azure.IoT.TimeSeriesInsights.Models; - namespace Azure.IoT.TimeSeriesInsights { /// Definition of how time series instances are sorted before being returned by search instances call. diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InterpolationBoundary.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InterpolationBoundary.Serialization.cs index db7f7102b654..a4e276fcc6b2 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InterpolationBoundary.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InterpolationBoundary.Serialization.cs @@ -9,7 +9,7 @@ using System.Text.Json; using Azure.Core; -namespace Azure.IoT.TimeSeriesInsights.Models +namespace Azure.IoT.TimeSeriesInsights { public partial class InterpolationBoundary : IUtf8JsonSerializable { diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InterpolationBoundary.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InterpolationBoundary.cs index 528904584ffd..ff49012ea640 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InterpolationBoundary.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InterpolationBoundary.cs @@ -7,7 +7,7 @@ using System; -namespace Azure.IoT.TimeSeriesInsights.Models +namespace Azure.IoT.TimeSeriesInsights { /// The time range to the left and right of the search span to be used for Interpolation. This is helpful in scenarios where the data points are missing close to the start or end of the input search span. Can be null. public partial class InterpolationBoundary diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InterpolationKind.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InterpolationKind.cs index 734fa83b2445..f5dca635c8a2 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InterpolationKind.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InterpolationKind.cs @@ -8,7 +8,7 @@ using System; using System.ComponentModel; -namespace Azure.IoT.TimeSeriesInsights.Models +namespace Azure.IoT.TimeSeriesInsights { /// The type of interpolation technique : "Linear" or "Step". public readonly partial struct InterpolationKind : IEquatable diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InterpolationOperation.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InterpolationOperation.Serialization.cs index 3d54c815c42b..b7eda9e55177 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InterpolationOperation.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InterpolationOperation.Serialization.cs @@ -7,7 +7,6 @@ using System.Text.Json; using Azure.Core; -using Azure.IoT.TimeSeriesInsights.Models; namespace Azure.IoT.TimeSeriesInsights { diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InterpolationOperation.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InterpolationOperation.cs index 3cb62d6da2e3..aaa7677438a4 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InterpolationOperation.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/InterpolationOperation.cs @@ -5,8 +5,6 @@ #nullable disable -using Azure.IoT.TimeSeriesInsights.Models; - namespace Azure.IoT.TimeSeriesInsights { /// The interpolation operation to be performed on the raw data points. Currently, only sampling of interpolated time series is allowed. Allowed aggregate function - eg: left($value). Can be null if no interpolation needs to be applied. diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/ModelSettingsResponse.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/ModelSettingsResponse.Serialization.cs index d4c8ca292851..36473ba161d3 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/ModelSettingsResponse.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/ModelSettingsResponse.Serialization.cs @@ -10,7 +10,7 @@ namespace Azure.IoT.TimeSeriesInsights { - public partial class ModelSettingsResponse + internal partial class ModelSettingsResponse { internal static ModelSettingsResponse DeserializeModelSettingsResponse(JsonElement element) { diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/ModelSettingsResponse.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/ModelSettingsResponse.cs index a924ffc77e06..1d601d1099fd 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/ModelSettingsResponse.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/ModelSettingsResponse.cs @@ -8,7 +8,7 @@ namespace Azure.IoT.TimeSeriesInsights { /// Response containing full time series model settings which include model name, Time Series ID properties and default type ID. - public partial class ModelSettingsResponse + internal partial class ModelSettingsResponse { /// Initializes a new instance of ModelSettingsResponse. internal ModelSettingsResponse() diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/QueryRequest.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/QueryRequest.Serialization.cs index 18217a222b81..f1a3b37ada65 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/QueryRequest.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/QueryRequest.Serialization.cs @@ -10,7 +10,7 @@ namespace Azure.IoT.TimeSeriesInsights { - public partial class QueryRequest : IUtf8JsonSerializable + internal partial class QueryRequest : IUtf8JsonSerializable { void IUtf8JsonSerializable.Write(Utf8JsonWriter writer) { diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/QueryRequest.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/QueryRequest.cs index a789d7dd8010..e4328cd4440a 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/QueryRequest.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/QueryRequest.cs @@ -8,7 +8,7 @@ namespace Azure.IoT.TimeSeriesInsights { /// Request to execute a time series query over events. Exactly one of "getEvents", "getSeries" or "aggregateSeries" must be set. - public partial class QueryRequest + internal partial class QueryRequest { /// Initializes a new instance of QueryRequest. public QueryRequest() diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesHierarchy.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesHierarchy.Serialization.cs index 83aecba35237..9d0334b8cbb5 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesHierarchy.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesHierarchy.Serialization.cs @@ -7,7 +7,6 @@ using System.Text.Json; using Azure.Core; -using Azure.IoT.TimeSeriesInsights.Models; namespace Azure.IoT.TimeSeriesInsights { diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesHierarchy.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesHierarchy.cs index 5787e3d57304..0a606ddfaaf6 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesHierarchy.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesHierarchy.cs @@ -6,7 +6,6 @@ #nullable disable using System; -using Azure.IoT.TimeSeriesInsights.Models; namespace Azure.IoT.TimeSeriesInsights { diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesHierarchySource.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesHierarchySource.Serialization.cs index bce53200b498..f76e12d5168d 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesHierarchySource.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesHierarchySource.Serialization.cs @@ -9,7 +9,7 @@ using System.Text.Json; using Azure.Core; -namespace Azure.IoT.TimeSeriesInsights.Models +namespace Azure.IoT.TimeSeriesInsights { public partial class TimeSeriesHierarchySource : IUtf8JsonSerializable { diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesHierarchySource.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesHierarchySource.cs index 87aaf8907c78..7835582b5e5b 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesHierarchySource.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesHierarchySource.cs @@ -8,7 +8,7 @@ using System.Collections.Generic; using Azure.Core; -namespace Azure.IoT.TimeSeriesInsights.Models +namespace Azure.IoT.TimeSeriesInsights { /// Definition of how time series hierarchy tree levels are created. public partial class TimeSeriesHierarchySource diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesIdProperty.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesIdProperty.Serialization.cs index 6a06a0852ef6..da761ffd200d 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesIdProperty.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesIdProperty.Serialization.cs @@ -7,7 +7,6 @@ using System.Text.Json; using Azure.Core; -using Azure.IoT.TimeSeriesInsights.Models; namespace Azure.IoT.TimeSeriesInsights { diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesIdProperty.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesIdProperty.cs index 571fd2f4de67..944c267e8501 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesIdProperty.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesIdProperty.cs @@ -5,8 +5,6 @@ #nullable disable -using Azure.IoT.TimeSeriesInsights.Models; - namespace Azure.IoT.TimeSeriesInsights { /// A definition of a single property that can be used in time series ID properties defined during environment creation. diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesIdPropertyTypes.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesIdPropertyTypes.cs index 55c3aacddc3c..f39214d876ae 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesIdPropertyTypes.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TimeSeriesIdPropertyTypes.cs @@ -8,7 +8,7 @@ using System; using System.ComponentModel; -namespace Azure.IoT.TimeSeriesInsights.Models +namespace Azure.IoT.TimeSeriesInsights { /// The type of the property. Currently, only "String" is supported. public readonly partial struct TimeSeriesIdPropertyTypes : IEquatable diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TypesBatchRequest.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TypesBatchRequest.Serialization.cs index 3b9787c68f71..9c2474144783 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TypesBatchRequest.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TypesBatchRequest.Serialization.cs @@ -10,7 +10,7 @@ namespace Azure.IoT.TimeSeriesInsights { - public partial class TypesBatchRequest : IUtf8JsonSerializable + internal partial class TypesBatchRequest : IUtf8JsonSerializable { void IUtf8JsonSerializable.Write(Utf8JsonWriter writer) { diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TypesBatchRequest.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TypesBatchRequest.cs index 1dc9bf340dc8..6d351965e05f 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TypesBatchRequest.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TypesBatchRequest.cs @@ -11,7 +11,7 @@ namespace Azure.IoT.TimeSeriesInsights { /// Request to perform a single operation on a batch of time series types. Exactly one of "get", "put" or "delete" must be set. - public partial class TypesBatchRequest + internal partial class TypesBatchRequest { /// Initializes a new instance of TypesBatchRequest. public TypesBatchRequest() diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TypesBatchResponse.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TypesBatchResponse.Serialization.cs index ca82dbc2aac6..e0e135276fad 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TypesBatchResponse.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TypesBatchResponse.Serialization.cs @@ -11,7 +11,7 @@ namespace Azure.IoT.TimeSeriesInsights { - public partial class TypesBatchResponse + internal partial class TypesBatchResponse { } } diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TypesBatchResponse.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TypesBatchResponse.cs index 48a735aebb6f..83cd3282d6d5 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TypesBatchResponse.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TypesBatchResponse.cs @@ -11,7 +11,7 @@ namespace Azure.IoT.TimeSeriesInsights { /// Response of a single operation on a batch of time series types. Exactly one of "get", "put" or "delete" will be set. - public partial class TypesBatchResponse + internal partial class TypesBatchResponse { /// Initializes a new instance of TypesBatchResponse. internal TypesBatchResponse() diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TypesRequestBatchGetOrDelete.Serialization.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TypesRequestBatchGetOrDelete.Serialization.cs index f0e7abd0cc38..29e47e2cf821 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TypesRequestBatchGetOrDelete.Serialization.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TypesRequestBatchGetOrDelete.Serialization.cs @@ -10,7 +10,7 @@ namespace Azure.IoT.TimeSeriesInsights { - public partial class TypesRequestBatchGetOrDelete : IUtf8JsonSerializable + internal partial class TypesRequestBatchGetOrDelete : IUtf8JsonSerializable { void IUtf8JsonSerializable.Write(Utf8JsonWriter writer) { diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TypesRequestBatchGetOrDelete.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TypesRequestBatchGetOrDelete.cs index 66da7e344d44..1e052384324d 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TypesRequestBatchGetOrDelete.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/Generated/Models/TypesRequestBatchGetOrDelete.cs @@ -11,7 +11,7 @@ namespace Azure.IoT.TimeSeriesInsights { /// Request to get or delete time series types by IDs or type names. Exactly one of "typeIds" or "names" must be set. - public partial class TypesRequestBatchGetOrDelete + internal partial class TypesRequestBatchGetOrDelete { /// Initializes a new instance of TypesRequestBatchGetOrDelete. public TypesRequestBatchGetOrDelete() diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/GlobalSuppressions.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/GlobalSuppressions.cs index bafa128e3e36..9754dce5d30f 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/GlobalSuppressions.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/GlobalSuppressions.cs @@ -9,4 +9,3 @@ using System.Diagnostics.CodeAnalysis; [assembly: SuppressMessage("Usage", "AZC0001:Use one of the following pre-approved namespace groups (https://azure.github.io/azure-sdk/registered_namespaces.html): Azure.AI, Azure.Analytics, Azure.Communication, Azure.Data, Azure.DigitalTwins, Azure.Iot, Azure.Learn, Azure.Media, Azure.Management, Azure.Messaging, Azure.Search, Azure.Security, Azure.Storage, Azure.Template, Azure.Identity, Microsoft.Extensions.Azure", Justification = "", Scope = "namespace", Target = "~N:Azure.IoT.TimeSeriesInsights")] -[assembly: SuppressMessage("Usage", "AZC0001:Use one of the following pre-approved namespace groups (https://azure.github.io/azure-sdk/registered_namespaces.html): Azure.AI, Azure.Analytics, Azure.Communication, Azure.Data, Azure.DigitalTwins, Azure.Iot, Azure.Learn, Azure.Media, Azure.Management, Azure.Messaging, Azure.Search, Azure.Security, Azure.Storage, Azure.Template, Azure.Identity, Microsoft.Extensions.Azure", Justification = "", Scope = "namespace", Target = "~N:Azure.IoT.TimeSeriesInsights.Models")] diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/TimeSeriesInsightsClient.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/TimeSeriesInsightsClient.cs index 16b02d0deafa..bb86ff123ae5 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/TimeSeriesInsightsClient.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/TimeSeriesInsightsClient.cs @@ -29,27 +29,27 @@ public class TimeSeriesInsightsClient /// /// Client to get and update model settings. /// - public virtual ModelSettingsClient ModelSettings { get; private set; } + public virtual TimeSeriesInsightsModelSettings ModelSettings { get; private set; } /// /// Instances client to perform various Time Series Insights instances operations. /// - public virtual InstancesClient Instances { get; private set; } + public virtual TimeSeriesInsightsInstances Instances { get; private set; } /// /// Types client to perform various Time Series Insights types operations. /// - public virtual TypesClient Types { get; private set; } + public virtual TimeSeriesInsightsTypes Types { get; private set; } /// /// Hierarchies client to perform various Time Series Insights hierarchies operations. /// - public virtual HierarchiesClient Hierarchies { get; private set; } + public virtual TimeSeriesInsightsHierarchies Hierarchies { get; private set; } /// /// Query client that can be used to perform query operations on Time Series Insights. /// - public virtual QueryClient Query { get; private set; } + public virtual TimeSeriesInsightsQuery Query { get; private set; } /// /// Creates a new instance of the class. @@ -112,11 +112,11 @@ public TimeSeriesInsightsClient(string environmentFqdn, TokenCredential credenti _timeSeriesHierarchiesRestClient = new TimeSeriesHierarchiesRestClient(_clientDiagnostics, _httpPipeline, environmentFqdn, versionString); _queryRestClient = new QueryRestClient(_clientDiagnostics, _httpPipeline, environmentFqdn, versionString); - ModelSettings = new ModelSettingsClient(_modelSettingsRestClient, _clientDiagnostics); - Instances = new InstancesClient(_timeSeriesInstancesRestClient, _clientDiagnostics); - Types = new TypesClient(_timeSeriesTypesRestClient, _clientDiagnostics); - Hierarchies = new HierarchiesClient(_timeSeriesHierarchiesRestClient, _clientDiagnostics); - Query = new QueryClient(_queryRestClient, _clientDiagnostics); + ModelSettings = new TimeSeriesInsightsModelSettings(_modelSettingsRestClient, _clientDiagnostics); + Instances = new TimeSeriesInsightsInstances(_timeSeriesInstancesRestClient, _clientDiagnostics); + Types = new TimeSeriesInsightsTypes(_timeSeriesTypesRestClient, _clientDiagnostics); + Hierarchies = new TimeSeriesInsightsHierarchies(_timeSeriesHierarchiesRestClient, _clientDiagnostics); + Query = new TimeSeriesInsightsQuery(_queryRestClient, _clientDiagnostics); } /// diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/HierarchiesClient.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/TimeSeriesInsightsHierarchies.cs similarity index 98% rename from sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/HierarchiesClient.cs rename to sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/TimeSeriesInsightsHierarchies.cs index 1ec1aef59c0e..5bd9fd82a9ad 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/HierarchiesClient.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/TimeSeriesInsightsHierarchies.cs @@ -12,21 +12,21 @@ namespace Azure.IoT.TimeSeriesInsights { /// - /// Hierarchies client that can be used to perform operations such as creating, listing, replacing and deleting Time Series hierarchies. + /// Perform operations such as creating, listing, replacing and deleting Time Series hierarchies. /// - public class HierarchiesClient + public class TimeSeriesInsightsHierarchies { private readonly TimeSeriesHierarchiesRestClient _hierarchiesRestClient; private readonly ClientDiagnostics _clientDiagnostics; /// - /// Initializes a new instance of HierarchiesClient. This constructor should only be used for mocking purposes. + /// Initializes a new instance of TimeSeriesInsightsHierarchies. This constructor should only be used for mocking purposes. /// - protected HierarchiesClient() + protected TimeSeriesInsightsHierarchies() { } - internal HierarchiesClient(TimeSeriesHierarchiesRestClient hierarchiesRestClient, ClientDiagnostics clientDiagnostics) + internal TimeSeriesInsightsHierarchies(TimeSeriesHierarchiesRestClient hierarchiesRestClient, ClientDiagnostics clientDiagnostics) { Argument.AssertNotNull(hierarchiesRestClient, nameof(hierarchiesRestClient)); Argument.AssertNotNull(clientDiagnostics, nameof(clientDiagnostics)); diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/InstancesClient.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/TimeSeriesInsightsInstances.cs similarity index 98% rename from sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/InstancesClient.cs rename to sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/TimeSeriesInsightsInstances.cs index d84461f756de..06c868a3f860 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/InstancesClient.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/TimeSeriesInsightsInstances.cs @@ -12,22 +12,21 @@ namespace Azure.IoT.TimeSeriesInsights { /// - /// Time Series Insights instances client that can be used to perform operations such as creating, listing, replacing and deleting - /// Time Series instances. + /// Perform operations such as creating, listing, replacing and deleting Time Series instances. /// - public class InstancesClient + public class TimeSeriesInsightsInstances { private readonly TimeSeriesInstancesRestClient _instancesRestClient; private readonly ClientDiagnostics _clientDiagnostics; /// - /// Initializes a new instance of InstancesClient. This constructor should only be used for mocking purposes. + /// Initializes a new instance of TimeSeriesInsightsInstances. This constructor should only be used for mocking purposes. /// - protected InstancesClient() + protected TimeSeriesInsightsInstances() { } - internal InstancesClient(TimeSeriesInstancesRestClient instancesRestClient, ClientDiagnostics clientDiagnostics) + internal TimeSeriesInsightsInstances(TimeSeriesInstancesRestClient instancesRestClient, ClientDiagnostics clientDiagnostics) { Argument.AssertNotNull(instancesRestClient, nameof(instancesRestClient)); Argument.AssertNotNull(clientDiagnostics, nameof(clientDiagnostics)); diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/ModelSettingsClient.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/TimeSeriesInsightsModelSettings.cs similarity index 95% rename from sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/ModelSettingsClient.cs rename to sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/TimeSeriesInsightsModelSettings.cs index 4ad61deb4c7c..5f14896960c4 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/ModelSettingsClient.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/TimeSeriesInsightsModelSettings.cs @@ -10,21 +10,21 @@ namespace Azure.IoT.TimeSeriesInsights { /// - /// Model Settings client that can be used to perform operations such as getting and updating Time Series Model configuration settings. + /// Perform operations such as getting and updating Time Series Model configuration settings. /// - public class ModelSettingsClient + public class TimeSeriesInsightsModelSettings { private readonly ModelSettingsRestClient _modelSettingsRestClient; private readonly ClientDiagnostics _clientDiagnostics; /// - /// Initializes a new instance of ModelSettings. This constructor should only be used for mocking purposes. + /// Initializes a new instance of TimeSeriesInsightsModelSettings. This constructor should only be used for mocking purposes. /// - protected ModelSettingsClient() + protected TimeSeriesInsightsModelSettings() { } - internal ModelSettingsClient(ModelSettingsRestClient modelSettingsRestClient, ClientDiagnostics clientDiagnostics) + internal TimeSeriesInsightsModelSettings(ModelSettingsRestClient modelSettingsRestClient, ClientDiagnostics clientDiagnostics) { Argument.AssertNotNull(modelSettingsRestClient, nameof(modelSettingsRestClient)); Argument.AssertNotNull(clientDiagnostics, nameof(clientDiagnostics)); diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/QueryClient.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/TimeSeriesInsightsQuery.cs similarity index 98% rename from sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/QueryClient.cs rename to sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/TimeSeriesInsightsQuery.cs index 875085273e1b..a0876c15be96 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/QueryClient.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/TimeSeriesInsightsQuery.cs @@ -11,19 +11,19 @@ namespace Azure.IoT.TimeSeriesInsights /// /// Query client that can be used to query for events, series and aggregate series on Time Series Insights. /// - public class QueryClient + public class TimeSeriesInsightsQuery { private readonly QueryRestClient _queryRestClient; private readonly ClientDiagnostics _clientDiagnostics; /// - /// Initializes a new instance of QueryClient. This constructor should only be used for mocking purposes. + /// Initializes a new instance of TimeSeriesInsightsQuery. This constructor should only be used for mocking purposes. /// - protected QueryClient() + protected TimeSeriesInsightsQuery() { } - internal QueryClient(QueryRestClient queryRestClient, ClientDiagnostics clientDiagnostics) + internal TimeSeriesInsightsQuery(QueryRestClient queryRestClient, ClientDiagnostics clientDiagnostics) { Argument.AssertNotNull(queryRestClient, nameof(queryRestClient)); Argument.AssertNotNull(clientDiagnostics, nameof(clientDiagnostics)); diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/TypesClient.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/TimeSeriesInsightsTypes.cs similarity index 99% rename from sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/TypesClient.cs rename to sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/TimeSeriesInsightsTypes.cs index b52495591b15..720528bdc517 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/TypesClient.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/TimeSeriesInsightsTypes.cs @@ -14,19 +14,19 @@ namespace Azure.IoT.TimeSeriesInsights /// /// Types client that can be used to perform operations such as creating, listing, replacing and deleting Time Series types. /// - public class TypesClient + public class TimeSeriesInsightsTypes { private readonly TimeSeriesTypesRestClient _typesRestClient; private readonly ClientDiagnostics _clientDiagnostics; /// - /// Initializes a new instance of TypesClient. This constructor should only be used for mocking purposes. + /// Initializes a new instance of TimeSeriesInsightsTypes. This constructor should only be used for mocking purposes. /// - protected TypesClient() + protected TimeSeriesInsightsTypes() { } - internal TypesClient(TimeSeriesTypesRestClient typesRestClient, ClientDiagnostics clientDiagnostics) + internal TimeSeriesInsightsTypes(TimeSeriesTypesRestClient typesRestClient, ClientDiagnostics clientDiagnostics) { Argument.AssertNotNull(typesRestClient, nameof(typesRestClient)); Argument.AssertNotNull(clientDiagnostics, nameof(clientDiagnostics)); diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/autorest.md b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/autorest.md index 9b593021ccd7..38bf289b8483 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/autorest.md +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/src/autorest.md @@ -27,7 +27,6 @@ directive: path.includes("Availability") || path.includes("EventSchema") || path.includes("InstanceHit") || - path.includes("InstanceHitHighlights") || path.includes("InstancesSearchStringSuggestion") || path.includes("InstancesSortParameter") || path.includes("InstancesSuggestResponse") || @@ -43,7 +42,17 @@ directive: path.includes("HierarchiesSortBy") || path.includes("HierarchiesSortParameter") || path.includes("HierarchiesExpandParameter") || - path.includes("HierarchiesSortParameter")) + path.includes("HierarchiesSortParameter") || + path.includes("QueryRequest") || + path.includes("InstancesBatchRequest") || + path.includes("GetHierarchiesPage") || + path.includes("GetInstancesPage") || + path.includes("GetTypesPage") || + path.includes("HierarchiesBatchRequest") || + path.includes("HierarchiesRequestBatchGetDelete") || + path.includes("ModelSettingsResponse") || + path.includes("TypesBatchRequest") || + path.includes("TypesRequestBatchGetOrDelete")) { $[path]["x-accessibility"] = "internal" } diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/tests/HierarchiesTests.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/tests/HierarchiesTests.cs index d09defbb90c3..e448d5ac8c29 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/tests/HierarchiesTests.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/tests/HierarchiesTests.cs @@ -5,7 +5,6 @@ using System.Collections.Generic; using System.Threading.Tasks; using Azure.Core.TestFramework; -using Azure.IoT.TimeSeriesInsights.Models; using FluentAssertions; using NUnit.Framework; diff --git a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/tests/TimeSeriesInsightsQueryAggregateSeriesTests.cs b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/tests/TimeSeriesInsightsQueryAggregateSeriesTests.cs index a5d008a8a6b8..fbed556c3754 100644 --- a/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/tests/TimeSeriesInsightsQueryAggregateSeriesTests.cs +++ b/sdk/timeseriesinsights/Azure.IoT.TimeSeriesInsights/tests/TimeSeriesInsightsQueryAggregateSeriesTests.cs @@ -8,7 +8,6 @@ using System.Text.Json; using System.Threading.Tasks; using Azure.Core.TestFramework; -using Azure.IoT.TimeSeriesInsights.Models; using FluentAssertions; using Microsoft.Azure.Devices.Client; using NUnit.Framework; From fe0bf1aed936495aa370f220745eb550574dcd72 Mon Sep 17 00:00:00 2001 From: Heath Stewart Date: Mon, 3 May 2021 13:25:00 -0700 Subject: [PATCH 23/37] Decrease polling frequency for Key Vault tests (#20772) Resolves #20735. Also fixes some slow Certificates mock tests. --- .../src/OperationInterceptor.cs | 6 +-- .../tests/AdministrationTestBase.cs | 4 +- .../tests/BackupRestoreTestBase.cs | 3 +- .../tests/CertificateClientLiveTests.cs | 44 +++++++++++-------- .../tests/CertificateOperationTests.cs | 2 +- .../tests/CertificatesTestBase.cs | 8 +--- .../tests/KeyClientLiveTests.cs | 4 +- .../tests/KeysTestBase.cs | 6 +-- .../tests/SecretsTestBase.cs | 2 +- .../tests/KeyVaultTestEnvironment.cs | 5 +++ 10 files changed, 46 insertions(+), 38 deletions(-) diff --git a/sdk/core/Azure.Core.TestFramework/src/OperationInterceptor.cs b/sdk/core/Azure.Core.TestFramework/src/OperationInterceptor.cs index cd8b31e37ebc..bd5dec069047 100644 --- a/sdk/core/Azure.Core.TestFramework/src/OperationInterceptor.cs +++ b/sdk/core/Azure.Core.TestFramework/src/OperationInterceptor.cs @@ -69,11 +69,11 @@ private void CheckArguments(object[] invocationArguments) var interval = (TimeSpan) invocationArguments[0]; if (interval < TimeSpan.FromSeconds(1)) { - throw new InvalidOperationException($"Fast polling interval of {interval} detected in playback mode." + - $"Please use the default WaitForCompletion()." + + throw new InvalidOperationException($"Fast polling interval of {interval} detected in playback mode. " + + $"Please use the default WaitForCompletion(). " + $"The test framework would automatically reduce the interval in playback."); } } } } -} \ No newline at end of file +} diff --git a/sdk/keyvault/Azure.Security.KeyVault.Administration/tests/AdministrationTestBase.cs b/sdk/keyvault/Azure.Security.KeyVault.Administration/tests/AdministrationTestBase.cs index d8a98ca32034..88caf874c09c 100644 --- a/sdk/keyvault/Azure.Security.KeyVault.Administration/tests/AdministrationTestBase.cs +++ b/sdk/keyvault/Azure.Security.KeyVault.Administration/tests/AdministrationTestBase.cs @@ -46,7 +46,7 @@ protected AdministrationTestBase(bool isAsync, RecordedTestMode? mode) /// protected TimeSpan PollingInterval => Recording.Mode == RecordedTestMode.Playback ? TimeSpan.Zero - : TimeSpan.FromSeconds(2); + : KeyVaultTestEnvironment.DefaultPollingInterval; [TearDown] public virtual async Task Cleanup() @@ -85,7 +85,7 @@ public async Task DelayAsync(TimeSpan? delay = null, TimeSpan? playbackDelay = n if (Mode != RecordedTestMode.Playback) { - await Task.Delay(delay ?? TimeSpan.FromSeconds(1)); + await Task.Delay(delay ?? KeyVaultTestEnvironment.DefaultPollingInterval); } else if (playbackDelay != null) { diff --git a/sdk/keyvault/Azure.Security.KeyVault.Administration/tests/BackupRestoreTestBase.cs b/sdk/keyvault/Azure.Security.KeyVault.Administration/tests/BackupRestoreTestBase.cs index e5b868ff413f..cc9d75c77c9f 100644 --- a/sdk/keyvault/Azure.Security.KeyVault.Administration/tests/BackupRestoreTestBase.cs +++ b/sdk/keyvault/Azure.Security.KeyVault.Administration/tests/BackupRestoreTestBase.cs @@ -4,6 +4,7 @@ using System; using System.Threading.Tasks; using Azure.Core.TestFramework; +using Azure.Security.KeyVault.Tests; using Azure.Storage; using Azure.Storage.Sas; using NUnit.Framework; @@ -53,7 +54,7 @@ protected override void Start() // The service polls every second, so wait a bit to make sure the operation appears completed. protected async Task WaitForOperationAsync() => - await DelayAsync(TimeSpan.FromSeconds(2)); + await DelayAsync(KeyVaultTestEnvironment.DefaultPollingInterval); private string GenerateSasToken() { diff --git a/sdk/keyvault/Azure.Security.KeyVault.Certificates/tests/CertificateClientLiveTests.cs b/sdk/keyvault/Azure.Security.KeyVault.Certificates/tests/CertificateClientLiveTests.cs index 182f3aef86b9..062a706699ca 100644 --- a/sdk/keyvault/Azure.Security.KeyVault.Certificates/tests/CertificateClientLiveTests.cs +++ b/sdk/keyvault/Azure.Security.KeyVault.Certificates/tests/CertificateClientLiveTests.cs @@ -3,6 +3,7 @@ using Azure.Core.TestFramework; using Azure.Security.KeyVault.Keys.Cryptography; +using Azure.Security.KeyVault.Tests; using NUnit.Framework; using Org.BouncyCastle.Asn1; using Org.BouncyCastle.Asn1.Pkcs; @@ -31,6 +32,9 @@ namespace Azure.Security.KeyVault.Certificates.Tests { public partial class CertificateClientLiveTests : CertificatesTestBase { + // The service sends back a Retry-After header of 10s anyway. + private static readonly TimeSpan DefaultCertificateOperationPollingInterval = TimeSpan.FromSeconds(10); + private static MethodInfo s_clearCacheMethod; public CertificateClientLiveTests(bool isAsync, CertificateClientOptions.ServiceVersion serviceVersion) @@ -93,6 +97,7 @@ public async Task VerifyGetCertificateOperation() RegisterForCleanup(certName); CertificateOperation getOperation = await Client.GetCertificateOperationAsync(certName); + getOperation = InstrumentOperation(getOperation); Assert.IsNotNull(getOperation); } @@ -123,7 +128,7 @@ public async Task VerifyCancelCertificateOperation() } OperationCanceledException ex = Assert.ThrowsAsync( - async () => await WaitForCompletion(operation), + async () => await operation.WaitForCompletionAsync(DefaultCertificateOperationPollingInterval, default), $"Expected exception {nameof(OperationCanceledException)} not thrown. Operation status: {operation?.Properties?.Status}, error: {operation?.Properties?.Error?.Message}"); Assert.AreEqual("The operation was canceled so no value is available.", ex.Message); @@ -155,7 +160,7 @@ public async Task VerifyUnexpectedCancelCertificateOperation() } OperationCanceledException ex = Assert.ThrowsAsync( - async () => await WaitForCompletion(operation), + async () => await operation.WaitForCompletionAsync(DefaultCertificateOperationPollingInterval, default), $"Expected exception {nameof(OperationCanceledException)} not thrown. Operation status: {operation?.Properties?.Status}, error: {operation?.Properties?.Error?.Message}"); Assert.AreEqual("The operation was canceled so no value is available.", ex.Message); @@ -178,7 +183,8 @@ public async Task VerifyDeleteCertificateOperation() await operation.DeleteAsync(); - InvalidOperationException ex = Assert.ThrowsAsync(async () => await WaitForCompletion(operation)); + InvalidOperationException ex = Assert.ThrowsAsync( + async () => await operation.WaitForCompletionAsync(DefaultCertificateOperationPollingInterval, default)); Assert.AreEqual("The operation was deleted so no value is available.", ex.Message); Assert.IsTrue(operation.HasCompleted); @@ -208,7 +214,8 @@ public async Task VerifyUnexpectedDeleteCertificateOperation() Assert.Inconclusive("The create operation completed before it could be canceled."); } - InvalidOperationException ex = Assert.ThrowsAsync(async () => await WaitForCompletion(operation)); + InvalidOperationException ex = Assert.ThrowsAsync( + async () => await operation.WaitForCompletionAsync(DefaultCertificateOperationPollingInterval, default)); Assert.AreEqual("The operation was deleted so no value is available.", ex.Message); Assert.IsTrue(operation.HasCompleted); @@ -238,11 +245,12 @@ public async Task VerifyCertificateOperationError() certificatePolicy.IssuerName = issuerName; operation = await Client.StartCreateCertificateAsync(certName, certificatePolicy); + operation = InstrumentOperation(operation); RegisterForCleanup(certName); using CancellationTokenSource cts = new CancellationTokenSource(TimeSpan.FromMinutes(2)); - TimeSpan pollingInterval = TimeSpan.FromSeconds((Mode == RecordedTestMode.Playback) ? 0 : 2); + TimeSpan pollingInterval = Mode == RecordedTestMode.Playback ? TimeSpan.Zero : KeyVaultTestEnvironment.DefaultPollingInterval; while (!operation.HasCompleted) { @@ -304,7 +312,7 @@ public async Task VerifyGetCertificateCompleted() RegisterForCleanup(certName); - await WaitForCompletion(operation); + await operation.WaitForCompletionAsync(DefaultCertificateOperationPollingInterval, default); KeyVaultCertificateWithPolicy certificateWithPolicy = await Client.GetCertificateAsync(certName); @@ -335,7 +343,7 @@ public async Task VerifyGetCertificateCompletedSubsequently() // Need to call the real async wait method or the sync version of this test fails because it's using the instrumented Client directly. using CancellationTokenSource cts = new CancellationTokenSource(TimeSpan.FromMinutes(2)); - TimeSpan pollingInterval = TimeSpan.FromSeconds((Mode == RecordedTestMode.Playback) ? 0 : 2); + TimeSpan pollingInterval = Mode == RecordedTestMode.Playback ? TimeSpan.Zero : KeyVaultTestEnvironment.DefaultPollingInterval; await operation.WaitForCompletionAsync(pollingInterval, cts.Token); @@ -358,7 +366,7 @@ public async Task VerifyUpdateCertificate() RegisterForCleanup(certName); - KeyVaultCertificateWithPolicy original = await WaitForCompletion(operation); + KeyVaultCertificateWithPolicy original = await operation.WaitForCompletionAsync(DefaultCertificateOperationPollingInterval, default); CertificateProperties originalProperties = original.Properties; Assert.IsTrue(originalProperties.Enabled); Assert.IsEmpty(originalProperties.Tags); @@ -384,7 +392,7 @@ public async Task VerifyDeleteRecoverPurge() CertificateOperation operation = await Client.StartCreateCertificateAsync(certName, DefaultPolicy); - KeyVaultCertificateWithPolicy original = await WaitForCompletion(operation); + KeyVaultCertificateWithPolicy original = await operation.WaitForCompletionAsync(DefaultCertificateOperationPollingInterval, default); Assert.NotNull(original); @@ -551,7 +559,7 @@ public async Task ValidateMergeCertificate() Assert.AreEqual(csrInfo.Subject.ToString(), serverCertificate.Subject); Assert.AreEqual(serverCertificateName, mergedServerCertificate.Name); - KeyVaultCertificateWithPolicy completedServerCertificate = await WaitForCompletion(operation); + KeyVaultCertificateWithPolicy completedServerCertificate = await operation.WaitForCompletionAsync(DefaultCertificateOperationPollingInterval, default); Assert.AreEqual(mergedServerCertificate.Name, completedServerCertificate.Name); CollectionAssert.AreEqual(mergedServerCertificate.Cer, completedServerCertificate.Cer); @@ -693,7 +701,7 @@ public async Task VerifyGetCertificatePolicy() CertificateOperation operation = await Client.StartCreateCertificateAsync(certName, certificatePolicy); - KeyVaultCertificateWithPolicy original = await WaitForCompletion(operation); + KeyVaultCertificateWithPolicy original = await operation.WaitForCompletionAsync(DefaultCertificateOperationPollingInterval, default); Assert.NotNull(original); @@ -716,7 +724,7 @@ public async Task VerifyUpdateCertificatePolicy() CertificateOperation operation = await Client.StartCreateCertificateAsync(certName, certificatePolicy); - KeyVaultCertificateWithPolicy original = await WaitForCompletion(operation); + KeyVaultCertificateWithPolicy original = await operation.WaitForCompletionAsync(DefaultCertificateOperationPollingInterval, default); Assert.NotNull(original); @@ -766,7 +774,7 @@ public async Task DownloadLatestCertificate(string contentType) CertificateOperation operation = await Client.StartCreateCertificateAsync(name, policy); RegisterForCleanup(name); - await WaitForCompletion(operation); + await operation.WaitForCompletionAsync(DefaultCertificateOperationPollingInterval, default); KeyVaultCertificate certificate = await Client.GetCertificateAsync(name); @@ -808,7 +816,7 @@ public async Task DownloadVersionedCertificate(string contentType) CertificateOperation operation = await Client.StartCreateCertificateAsync(name, policy); RegisterForCleanup(name); - await WaitForCompletion(operation); + await operation.WaitForCompletionAsync(DefaultCertificateOperationPollingInterval, default); KeyVaultCertificate certificate = await Client.GetCertificateAsync(name); string version = certificate.Properties.Version; @@ -823,7 +831,7 @@ public async Task DownloadVersionedCertificate(string contentType) policy.Exportable = false; operation = await Client.StartCreateCertificateAsync(name, policy); - await WaitForCompletion(operation); + await operation.WaitForCompletionAsync(DefaultCertificateOperationPollingInterval, default); certificate = await Client.GetCertificateAsync(name); Assert.AreNotEqual(version, certificate.Properties.Version); @@ -861,7 +869,7 @@ public async Task DownloadNonExportableCertificate(string contentType) CertificateOperation operation = await Client.StartCreateCertificateAsync(name, policy); RegisterForCleanup(name); - await WaitForCompletion(operation); + await operation.WaitForCompletionAsync(DefaultCertificateOperationPollingInterval, default); using X509Certificate2 x509certificate = await Client.DownloadCertificateAsync(name); Assert.IsFalse(x509certificate.HasPrivateKey); @@ -892,7 +900,7 @@ public async Task DownloadECDsaCertificateSignRemoteVerifyLocal([EnumValues] Cer CertificateOperation operation = await Client.StartCreateCertificateAsync(name, policy); RegisterForCleanup(name); - await WaitForCompletion(operation, TimeSpan.FromSeconds(5)); + await operation.WaitForCompletionAsync(DefaultCertificateOperationPollingInterval, default); // Sign data remotely. byte[] plaintext = Encoding.UTF8.GetBytes(nameof(DownloadECDsaCertificateSignRemoteVerifyLocal)); @@ -944,7 +952,7 @@ public async Task DownloadECDsaCertificateSignLocalVerifyRemote([EnumValues] Cer CertificateOperation operation = await Client.StartCreateCertificateAsync(name, policy); RegisterForCleanup(name); - await WaitForCompletion(operation, TimeSpan.FromSeconds(5)); + await operation.WaitForCompletionAsync(DefaultCertificateOperationPollingInterval, default); // Download the certificate and sign data locally. byte[] plaintext = Encoding.UTF8.GetBytes(nameof(DownloadECDsaCertificateSignRemoteVerifyLocal)); diff --git a/sdk/keyvault/Azure.Security.KeyVault.Certificates/tests/CertificateOperationTests.cs b/sdk/keyvault/Azure.Security.KeyVault.Certificates/tests/CertificateOperationTests.cs index 5362c61ea0e5..55d12ccf456a 100644 --- a/sdk/keyvault/Azure.Security.KeyVault.Certificates/tests/CertificateOperationTests.cs +++ b/sdk/keyvault/Azure.Security.KeyVault.Certificates/tests/CertificateOperationTests.cs @@ -304,7 +304,7 @@ private CertificateClient CreateClient(HttpPipelineTransport transport) private async ValueTask WaitForOperationAsync(CertificateOperation operation) { - return await operation.WaitForCompletionAsync(); + return await operation.WaitForCompletionAsync(TimeSpan.Zero, default); } public class MockCredential : TokenCredential diff --git a/sdk/keyvault/Azure.Security.KeyVault.Certificates/tests/CertificatesTestBase.cs b/sdk/keyvault/Azure.Security.KeyVault.Certificates/tests/CertificatesTestBase.cs index a9871851e42f..d87f0af8a7a9 100644 --- a/sdk/keyvault/Azure.Security.KeyVault.Certificates/tests/CertificatesTestBase.cs +++ b/sdk/keyvault/Azure.Security.KeyVault.Certificates/tests/CertificatesTestBase.cs @@ -20,7 +20,7 @@ namespace Azure.Security.KeyVault.Certificates.Tests [NonParallelizable] public abstract class CertificatesTestBase : RecordedTestBase { - protected readonly TimeSpan PollingInterval = TimeSpan.FromSeconds(5); + protected readonly TimeSpan PollingInterval = KeyVaultTestEnvironment.DefaultPollingInterval; private readonly CertificateClientOptions.ServiceVersion _serviceVersion; public CertificateClient Client { get; set; } @@ -202,12 +202,6 @@ protected async Task PurgeCertificate(string name) } } - protected async Task WaitForCompletion(CertificateOperation operation, TimeSpan? pollingInterval = null) - { - pollingInterval ??= TimeSpan.FromSeconds(1); - return await operation.WaitForCompletionAsync(pollingInterval.Value, default).TimeoutAfter(TimeSpan.FromMinutes(1)); - } - protected Task WaitForDeletedCertificate(string name) { if (Mode == RecordedTestMode.Playback) diff --git a/sdk/keyvault/Azure.Security.KeyVault.Keys/tests/KeyClientLiveTests.cs b/sdk/keyvault/Azure.Security.KeyVault.Keys/tests/KeyClientLiveTests.cs index 31deabb17460..e151dda0767b 100644 --- a/sdk/keyvault/Azure.Security.KeyVault.Keys/tests/KeyClientLiveTests.cs +++ b/sdk/keyvault/Azure.Security.KeyVault.Keys/tests/KeyClientLiveTests.cs @@ -649,7 +649,7 @@ public async Task GetDeletedKey() DeletedKey deletedKey = operation.Value; // Wait a little longer since live tests are failing with only a 2s delay. - await WaitForDeletedKey(keyName, TimeSpan.FromSeconds(5)); + await WaitForDeletedKey(keyName, KeyVaultTestEnvironment.DefaultPollingInterval); DeletedKey polledSecret = await Client.GetDeletedKeyAsync(keyName); @@ -910,7 +910,7 @@ public async Task GetDeletedKeys() { // WaitForDeletedKey disables recording, so we can wait concurrently. // Wait a little longer for deleting keys since tests occasionally fail after max attempts. - deletingKeys.Add(WaitForDeletedKey(deletedKey.Name, delay: TimeSpan.FromSeconds(5))); + deletingKeys.Add(WaitForDeletedKey(deletedKey.Name, delay: KeyVaultTestEnvironment.DefaultPollingInterval)); } await Task.WhenAll(deletingKeys); diff --git a/sdk/keyvault/Azure.Security.KeyVault.Keys/tests/KeysTestBase.cs b/sdk/keyvault/Azure.Security.KeyVault.Keys/tests/KeysTestBase.cs index aedb20e5e0b9..6bb67ebdb759 100644 --- a/sdk/keyvault/Azure.Security.KeyVault.Keys/tests/KeysTestBase.cs +++ b/sdk/keyvault/Azure.Security.KeyVault.Keys/tests/KeysTestBase.cs @@ -21,7 +21,7 @@ public abstract class KeysTestBase : RecordedTestBase { protected TimeSpan PollingInterval => Recording.Mode == RecordedTestMode.Playback ? TimeSpan.Zero - : TimeSpan.FromSeconds(2); + : KeyVaultTestEnvironment.DefaultPollingInterval; public KeyClient Client { get; private set; } @@ -260,7 +260,7 @@ protected Task WaitForDeletedKey(string name, TimeSpan? delay = null) using (Recording.DisableRecording()) { - delay ??= TimeSpan.FromSeconds(5); + delay ??= KeyVaultTestEnvironment.DefaultPollingInterval; return TestRetryHelper.RetryAsync(async () => await Client.GetDeletedKeyAsync(name), delay: delay.Value); } } @@ -274,7 +274,7 @@ protected Task WaitForPurgedKey(string name, TimeSpan? delay = null) using (Recording.DisableRecording()) { - delay ??= TimeSpan.FromSeconds(5); + delay ??= KeyVaultTestEnvironment.DefaultPollingInterval; return TestRetryHelper.RetryAsync(async () => { try { diff --git a/sdk/keyvault/Azure.Security.KeyVault.Secrets/tests/SecretsTestBase.cs b/sdk/keyvault/Azure.Security.KeyVault.Secrets/tests/SecretsTestBase.cs index 07a1464fe071..8dfe86e3602d 100644 --- a/sdk/keyvault/Azure.Security.KeyVault.Secrets/tests/SecretsTestBase.cs +++ b/sdk/keyvault/Azure.Security.KeyVault.Secrets/tests/SecretsTestBase.cs @@ -18,7 +18,7 @@ namespace Azure.Security.KeyVault.Secrets.Tests [NonParallelizable] public abstract class SecretsTestBase : RecordedTestBase { - protected readonly TimeSpan PollingInterval = TimeSpan.FromSeconds(10); + protected readonly TimeSpan PollingInterval = KeyVaultTestEnvironment.DefaultPollingInterval; private readonly SecretClientOptions.ServiceVersion _serviceVersion; public SecretClient Client { get; set; } diff --git a/sdk/keyvault/Azure.Security.KeyVault.Shared/tests/KeyVaultTestEnvironment.cs b/sdk/keyvault/Azure.Security.KeyVault.Shared/tests/KeyVaultTestEnvironment.cs index 17122923a29b..f6df4a834cb8 100644 --- a/sdk/keyvault/Azure.Security.KeyVault.Shared/tests/KeyVaultTestEnvironment.cs +++ b/sdk/keyvault/Azure.Security.KeyVault.Shared/tests/KeyVaultTestEnvironment.cs @@ -18,6 +18,11 @@ public class KeyVaultTestEnvironment : TestEnvironment private const string StorageUriFormat = "https://{0}.blob.core.windows.net"; + /// + /// Gets the default polling interval to use in tests. + /// + public static TimeSpan DefaultPollingInterval { get; } = TimeSpan.FromSeconds(5); + /// /// Gets the URI to Key Vault. /// From fc37e7159a08900fd81b8fd16218aa18f5ac0f3b Mon Sep 17 00:00:00 2001 From: Mariana Rios Flores Date: Mon, 3 May 2021 14:21:18 -0700 Subject: [PATCH 24/37] enable custom forms multi-version (#20795) --- .../RecognizeCustomFormsLiveTests.cs | 10 ---------- 1 file changed, 10 deletions(-) diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeCustomFormsLiveTests.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeCustomFormsLiveTests.cs index 02c8df555938..32ee7f99abff 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeCustomFormsLiveTests.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeCustomFormsLiveTests.cs @@ -28,7 +28,6 @@ public RecognizeCustomFormsLiveTests(bool isAsync, FormRecognizerClientOptions.S [RecordedTest] [TestCase(true)] [TestCase(false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] public async Task StartRecognizeCustomFormsCanAuthenticateWithTokenCredential(bool useTrainingLabels) { var client = CreateFormRecognizerClient(useTokenCredential: true); @@ -78,7 +77,6 @@ public async Task StartRecognizeCustomFormsCanAuthenticateWithTokenCredential(bo [TestCase(true, false)] [TestCase(false, true)] [TestCase(false, false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] public async Task StartRecognizeCustomFormsWithLabels(bool useStream, bool includeFieldElements) { var client = CreateFormRecognizerClient(); @@ -180,7 +178,6 @@ public async Task StartRecognizeCustomFormsWithLabelsAndSelectionMarks(bool incl [RecordedTest] [TestCase(true)] [TestCase(false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] public async Task StartRecognizeCustomFormsWithLabelsCanParseMultipageForm(bool useStream) { var client = CreateFormRecognizerClient(); @@ -238,7 +235,6 @@ public async Task StartRecognizeCustomFormsWithLabelsCanParseMultipageForm(bool } [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] public async Task StartRecognizeCustomFormsWithLabelsCanParseBlankPage() { var client = CreateFormRecognizerClient(); @@ -274,7 +270,6 @@ public async Task StartRecognizeCustomFormsWithLabelsCanParseBlankPage() [RecordedTest] [TestCase(true)] [TestCase(false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] public async Task StartRecognizeCustomFormsWithLabelsCanParseMultipageFormWithBlankPage(bool useStream) { var client = CreateFormRecognizerClient(); @@ -366,7 +361,6 @@ public async Task StartRecognizeCustomFormsWithLabelsCanParseDifferentTypeOfForm [TestCase(true, false)] [TestCase(false, true)] [TestCase(false, false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] public async Task StartRecognizeCustomFormsWithoutLabels(bool useStream, bool includeFieldElements) { var client = CreateFormRecognizerClient(); @@ -427,7 +421,6 @@ public async Task StartRecognizeCustomFormsWithoutLabels(bool useStream, bool in [RecordedTest] [TestCase(true)] [TestCase(false, Ignore = "https://github.com/Azure/azure-sdk-for-net/issues/12319")] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] public async Task StartRecognizeCustomFormsWithoutLabelsCanParseMultipageForm(bool useStream) { var client = CreateFormRecognizerClient(); @@ -482,7 +475,6 @@ public async Task StartRecognizeCustomFormsWithoutLabelsCanParseMultipageForm(bo } [RecordedTest] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] public async Task StartRecognizeCustomFormsWithoutLabelsCanParseBlankPage() { var client = CreateFormRecognizerClient(); @@ -519,7 +511,6 @@ public async Task StartRecognizeCustomFormsWithoutLabelsCanParseBlankPage() [RecordedTest] [TestCase(true)] [TestCase(false, Ignore = "https://github.com/Azure/azure-sdk-for-net/issues/12319")] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] public async Task StartRecognizeCustomFormsWithoutLabelsCanParseMultipageFormWithBlankPage(bool useStream) { var client = CreateFormRecognizerClient(); @@ -607,7 +598,6 @@ public async Task StartRecognizeCustomFormsThrowsForDamagedFile(bool useTraining [RecordedTest] [TestCase(true)] [TestCase(false)] - [ServiceVersion(Min = FormRecognizerClientOptions.ServiceVersion.V2_1_Preview_3)] public async Task StartRecognizeCustomFormsFromUriThrowsForNonExistingContent(bool useTrainingLabels) { var client = CreateFormRecognizerClient(); From 4f4a82d7ea4169b515b4ecfb9f1203b88c13120a Mon Sep 17 00:00:00 2001 From: Mariana Rios Flores Date: Mon, 3 May 2021 15:06:14 -0700 Subject: [PATCH 25/37] make sure doctype is the same as what we shipped in 3.0 for v2.0 (#20785) --- .../src/CreateComposedModelOperation.cs | 3 ++- .../src/CreateCustomFormModelOperation.cs | 13 ++++++++-- .../src/CustomFormModel.cs | 25 ++++++++++++------- .../src/FormTrainingClient.cs | 25 +++++++++++-------- .../src/TrainingOperation.cs | 3 ++- 5 files changed, 46 insertions(+), 23 deletions(-) diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/CreateComposedModelOperation.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/CreateComposedModelOperation.cs index a7846b9bfd11..dd0e84f798ba 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/CreateComposedModelOperation.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/CreateComposedModelOperation.cs @@ -11,7 +11,8 @@ namespace Azure.AI.FormRecognizer.Training /// public class CreateComposedModelOperation : CreateCustomFormModelOperation { - internal CreateComposedModelOperation(string location, FormRecognizerRestClient allOperations, ClientDiagnostics diagnostics) : base(location, allOperations, diagnostics) { } + internal CreateComposedModelOperation(string location, FormRecognizerRestClient allOperations, ClientDiagnostics diagnostics, FormRecognizerClientOptions.ServiceVersion serviceVersion) + : base(location, allOperations, diagnostics, serviceVersion) { } /// /// Initializes a new instance of the class which diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/CreateCustomFormModelOperation.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/CreateCustomFormModelOperation.cs index 0746b1edfb22..a6f95e6cfbb9 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/CreateCustomFormModelOperation.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/CreateCustomFormModelOperation.cs @@ -22,6 +22,9 @@ public class CreateCustomFormModelOperation : Operation /// Provides tools for exception creation in case of failure. private readonly ClientDiagnostics _diagnostics; + /// Service version used in this client. + private readonly FormRecognizerClientOptions.ServiceVersion _serviceVersion; + private RequestFailedException _requestFailedException; /// The last HTTP response received from the server. null until the first response is received. @@ -105,10 +108,15 @@ public override ValueTask> WaitForCompletionAsync(Canc public override ValueTask> WaitForCompletionAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => this.DefaultWaitForCompletionAsync(pollingInterval, cancellationToken); - internal CreateCustomFormModelOperation(string location, FormRecognizerRestClient allOperations, ClientDiagnostics diagnostics) + internal CreateCustomFormModelOperation( + string location, + FormRecognizerRestClient allOperations, + ClientDiagnostics diagnostics, + FormRecognizerClientOptions.ServiceVersion serviceVersion) { _serviceClient = allOperations; _diagnostics = diagnostics; + _serviceVersion = serviceVersion; // TODO: validate this // https://github.com/Azure/azure-sdk-for-net/issues/10385 @@ -128,6 +136,7 @@ public CreateCustomFormModelOperation(string operationId, FormTrainingClient cli Id = operationId; _diagnostics = client.Diagnostics; _serviceClient = client.ServiceClient; + _serviceVersion = client.ServiceVersion; } /// @@ -185,7 +194,7 @@ private async ValueTask UpdateStatusAsync(bool async, CancellationToke if (update.Value.ModelInfo.Status == CustomFormModelStatus.Ready) { // We need to first assign a value and then mark the operation as completed to avoid a race condition with the getter in Value - _value = new CustomFormModel(update.Value); + _value = new CustomFormModel(update.Value, _serviceVersion); _hasCompleted = true; } else if (update.Value.ModelInfo.Status == CustomFormModelStatus.Invalid) diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/CustomFormModel.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/CustomFormModel.cs index db34a27d9b81..9eebed591800 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/CustomFormModel.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/CustomFormModel.cs @@ -13,14 +13,14 @@ namespace Azure.AI.FormRecognizer.Training /// public class CustomFormModel { - internal CustomFormModel(Model model) + internal CustomFormModel(Model model, FormRecognizerClientOptions.ServiceVersion serviceVersion) { ModelId = model.ModelInfo.ModelId; ModelName = model.ModelInfo.ModelName; Status = model.ModelInfo.Status; TrainingStartedOn = model.ModelInfo.TrainingStartedOn; TrainingCompletedOn = model.ModelInfo.TrainingCompletedOn; - Submodels = ConvertToSubmodels(model); + Submodels = ConvertToSubmodels(model, serviceVersion); TrainingDocuments = ConvertToTrainingDocuments(model); Errors = model.TrainResult?.Errors ?? new List(); Properties = model.ModelInfo.Properties ?? new CustomFormModelProperties(); @@ -106,13 +106,13 @@ internal CustomFormModel( /// public IReadOnlyList Errors { get; } - private static IReadOnlyList ConvertToSubmodels(Model model) + private static IReadOnlyList ConvertToSubmodels(Model model, FormRecognizerClientOptions.ServiceVersion serviceVersion = default) { if (model.Keys != null) return ConvertFromUnlabeled(model); if (model.TrainResult != null) - return ConvertFromLabeled(model); + return ConvertFromLabeled(model, serviceVersion); if (model.ComposedTrainResults != null) return ConvertFromLabeledComposedModel(model); @@ -142,13 +142,20 @@ private static IReadOnlyList ConvertFromUnlabeled(Model mode return subModels; } - private static IReadOnlyList ConvertFromLabeled(Model model) + private static IReadOnlyList ConvertFromLabeled(Model model, FormRecognizerClientOptions.ServiceVersion serviceVersion = default) { - string formType = string.Empty; - if (string.IsNullOrEmpty(model.ModelInfo.ModelName)) - formType = $"custom:{model.ModelInfo.ModelId}"; + string formType; + if (serviceVersion == FormRecognizerClientOptions.ServiceVersion.V2_0) + { + formType = $"form-{model.ModelInfo.ModelId}"; + } else - formType = $"custom:{model.ModelInfo.ModelName}"; + { + if (string.IsNullOrEmpty(model.ModelInfo.ModelName)) + formType = $"custom:{model.ModelInfo.ModelId}"; + else + formType = $"custom:{model.ModelInfo.ModelName}"; + } return new List { new CustomFormSubmodel( diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/FormTrainingClient.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/FormTrainingClient.cs index cedbcebed1d1..34715ffe3fb4 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/FormTrainingClient.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/FormTrainingClient.cs @@ -25,6 +25,9 @@ public class FormTrainingClient /// Provides tools for exception creation in case of failure. internal readonly ClientDiagnostics Diagnostics; + /// Service version used in this client. + internal readonly FormRecognizerClientOptions.ServiceVersion ServiceVersion = FormRecognizerClientOptions.LatestVersion; + /// /// Initializes a new instance of the class. /// @@ -65,8 +68,9 @@ public FormTrainingClient(Uri endpoint, AzureKeyCredential credential, FormRecog Argument.AssertNotNull(options, nameof(options)); Diagnostics = new ClientDiagnostics(options); + ServiceVersion = options.Version; HttpPipeline pipeline = HttpPipelineBuilder.Build(options, new AzureKeyCredentialPolicy(credential, Constants.AuthorizationHeader)); - ServiceClient = new FormRecognizerRestClient(Diagnostics, pipeline, endpoint.AbsoluteUri, FormRecognizerClientOptions.GetVersionString(options.Version)); + ServiceClient = new FormRecognizerRestClient(Diagnostics, pipeline, endpoint.AbsoluteUri, FormRecognizerClientOptions.GetVersionString(ServiceVersion)); } /// @@ -100,8 +104,9 @@ public FormTrainingClient(Uri endpoint, TokenCredential credential, FormRecogniz Argument.AssertNotNull(options, nameof(options)); Diagnostics = new ClientDiagnostics(options); + ServiceVersion = options.Version; var pipeline = HttpPipelineBuilder.Build(options, new BearerTokenAuthenticationPolicy(credential, Constants.DefaultCognitiveScope)); - ServiceClient = new FormRecognizerRestClient(Diagnostics, pipeline, endpoint.AbsoluteUri, FormRecognizerClientOptions.GetVersionString(options.Version)); + ServiceClient = new FormRecognizerRestClient(Diagnostics, pipeline, endpoint.AbsoluteUri, FormRecognizerClientOptions.GetVersionString(ServiceVersion)); } #region Training @@ -139,7 +144,7 @@ public virtual TrainingOperation StartTraining(Uri trainingFilesUri, bool useTra }; ResponseWithHeaders response = ServiceClient.TrainCustomModelAsync(trainRequest, cancellationToken); - return new TrainingOperation(response.Headers.Location, ServiceClient, Diagnostics); + return new TrainingOperation(response.Headers.Location, ServiceClient, Diagnostics, ServiceVersion); } catch (Exception e) { @@ -182,7 +187,7 @@ public virtual async Task StartTrainingAsync(Uri trainingFile }; ResponseWithHeaders response = await ServiceClient.TrainCustomModelAsyncAsync(trainRequest, cancellationToken).ConfigureAwait(false); - return new TrainingOperation(response.Headers.Location, ServiceClient, Diagnostics); + return new TrainingOperation(response.Headers.Location, ServiceClient, Diagnostics, ServiceVersion); } catch (Exception e) { @@ -223,7 +228,7 @@ public virtual TrainingOperation StartTraining(Uri trainingFilesUri, bool useTra }; ResponseWithHeaders response = ServiceClient.TrainCustomModelAsync(trainRequest, cancellationToken); - return new TrainingOperation(response.Headers.Location, ServiceClient, Diagnostics); + return new TrainingOperation(response.Headers.Location, ServiceClient, Diagnostics, ServiceVersion); } catch (Exception e) { @@ -264,7 +269,7 @@ public virtual async Task StartTrainingAsync(Uri trainingFile }; ResponseWithHeaders response = await ServiceClient.TrainCustomModelAsyncAsync(trainRequest, cancellationToken).ConfigureAwait(false); - return new TrainingOperation(response.Headers.Location, ServiceClient, Diagnostics); + return new TrainingOperation(response.Headers.Location, ServiceClient, Diagnostics, ServiceVersion); } catch (Exception e) { @@ -306,7 +311,7 @@ public virtual CreateComposedModelOperation StartCreateComposedModel(IEnumerable composeRequest.ModelName = modelName; ResponseWithHeaders response = ServiceClient.ComposeCustomModelsAsync(composeRequest, cancellationToken); - return new CreateComposedModelOperation(response.Headers.Location, ServiceClient, Diagnostics); + return new CreateComposedModelOperation(response.Headers.Location, ServiceClient, Diagnostics, ServiceVersion); } catch (Exception e) { @@ -344,7 +349,7 @@ public virtual async Task StartCreateComposedModel composeRequest.ModelName = modelName; ResponseWithHeaders response = await ServiceClient.ComposeCustomModelsAsyncAsync(composeRequest, cancellationToken).ConfigureAwait(false); - return new CreateComposedModelOperation(response.Headers.Location, ServiceClient, Diagnostics); + return new CreateComposedModelOperation(response.Headers.Location, ServiceClient, Diagnostics, ServiceVersion); } catch (Exception e) { @@ -376,7 +381,7 @@ public virtual Response GetCustomModel(string modelId, Cancella Guid guid = ClientCommon.ValidateModelId(modelId, nameof(modelId)); Response response = ServiceClient.GetCustomModel(guid, includeKeys: true, cancellationToken); - return Response.FromValue(new CustomFormModel(response.Value), response.GetRawResponse()); + return Response.FromValue(new CustomFormModel(response.Value, ServiceVersion), response.GetRawResponse()); } catch (Exception e) { @@ -404,7 +409,7 @@ public virtual async Task> GetCustomModelAsync(string Guid guid = ClientCommon.ValidateModelId(modelId, nameof(modelId)); Response response = await ServiceClient.GetCustomModelAsync(guid, includeKeys: true, cancellationToken).ConfigureAwait(false); - return Response.FromValue(new CustomFormModel(response.Value), response.GetRawResponse()); + return Response.FromValue(new CustomFormModel(response.Value, ServiceVersion), response.GetRawResponse()); } catch (Exception e) { diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/TrainingOperation.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/TrainingOperation.cs index d78a8397fd37..377b909e3d2c 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/TrainingOperation.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/TrainingOperation.cs @@ -10,7 +10,8 @@ namespace Azure.AI.FormRecognizer.Training /// public class TrainingOperation : CreateCustomFormModelOperation { - internal TrainingOperation(string location, FormRecognizerRestClient allOperations, ClientDiagnostics diagnostics) : base(location, allOperations, diagnostics) { } + internal TrainingOperation(string location, FormRecognizerRestClient allOperations, ClientDiagnostics diagnostics, FormRecognizerClientOptions.ServiceVersion serviceVersion) + : base(location, allOperations, diagnostics, serviceVersion) { } /// /// Initializes a new instance of the class which From faf936f7de428e75ffc3d1810d7910df7f4650a2 Mon Sep 17 00:00:00 2001 From: Mariana Rios Flores Date: Mon, 3 May 2021 15:06:42 -0700 Subject: [PATCH 26/37] [FR] Rename ReadingOrder to FormReadingOrder (#20813) --- .../Azure.AI.FormRecognizer/CHANGELOG.md | 1 + .../Azure.AI.FormRecognizer.netstandard2.0.cs | 12 ++++---- .../{ReadingOrder.cs => FormReadingOrder.cs} | 2 +- .../src/Generated/FormRecognizerRestClient.cs | 12 ++++---- .../Models/FormReadingOrder.Serialization.cs | 28 +++++++++++++++++++ .../Models/ReadingOrder.Serialization.cs | 28 ------------------- .../src/RecognizeContentOptions.cs | 2 +- .../RecognizeContentLiveTests.cs | 4 +-- 8 files changed, 45 insertions(+), 44 deletions(-) rename sdk/formrecognizer/Azure.AI.FormRecognizer/src/{ReadingOrder.cs => FormReadingOrder.cs} (96%) create mode 100644 sdk/formrecognizer/Azure.AI.FormRecognizer/src/Generated/Models/FormReadingOrder.Serialization.cs delete mode 100644 sdk/formrecognizer/Azure.AI.FormRecognizer/src/Generated/Models/ReadingOrder.Serialization.cs diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/CHANGELOG.md b/sdk/formrecognizer/Azure.AI.FormRecognizer/CHANGELOG.md index 809dcc0c2b6c..30cc58b028ec 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/CHANGELOG.md +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/CHANGELOG.md @@ -7,6 +7,7 @@ ### Breaking changes - Renamed `Id` for `Identity` in all the `StartRecognizeIdDocuments` functionalities. For example, the name of the method is now `StartRecognizeIdentityDocuments`. +- Renamed the model `ReadingOrder` to `FormReadingOrder`. ## 3.0.1 (2021-04-09) diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/api/Azure.AI.FormRecognizer.netstandard2.0.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/api/Azure.AI.FormRecognizer.netstandard2.0.cs index 485e2e6c6db7..95ce048a10a9 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/api/Azure.AI.FormRecognizer.netstandard2.0.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/api/Azure.AI.FormRecognizer.netstandard2.0.cs @@ -9,6 +9,11 @@ public enum FormContentType Tiff = 4, Bmp = 5, } + public enum FormReadingOrder + { + Basic = 0, + Natural = 1, + } public partial class FormRecognizerClient { protected FormRecognizerClient() { } @@ -172,11 +177,6 @@ public static partial class OperationExtensions public static System.Threading.Tasks.Task> WaitForCompletionAsync(this System.Threading.Tasks.Task operation, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public static System.Threading.Tasks.Task> WaitForCompletionAsync(this System.Threading.Tasks.Task operation, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } - public enum ReadingOrder - { - Basic = 0, - Natural = 1, - } public partial class RecognizeBusinessCardsOptions { public RecognizeBusinessCardsOptions() { } @@ -191,7 +191,7 @@ public RecognizeContentOptions() { } public Azure.AI.FormRecognizer.FormContentType? ContentType { get { throw null; } set { } } public Azure.AI.FormRecognizer.FormRecognizerLanguage? Language { get { throw null; } set { } } public System.Collections.Generic.IList Pages { get { throw null; } } - public Azure.AI.FormRecognizer.ReadingOrder? ReadingOrder { get { throw null; } set { } } + public Azure.AI.FormRecognizer.FormReadingOrder? ReadingOrder { get { throw null; } set { } } } public partial class RecognizeCustomFormsOptions { diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/ReadingOrder.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/FormReadingOrder.cs similarity index 96% rename from sdk/formrecognizer/Azure.AI.FormRecognizer/src/ReadingOrder.cs rename to sdk/formrecognizer/Azure.AI.FormRecognizer/src/FormReadingOrder.cs index ce1cf5fca542..d46e2d8f0329 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/ReadingOrder.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/FormReadingOrder.cs @@ -11,7 +11,7 @@ namespace Azure.AI.FormRecognizer /// business logic should be built upon the actual line location instead of order. /// [CodeGenModel("ReadingOrder")] - public enum ReadingOrder + public enum FormReadingOrder { /// /// The lines are sorted top to bottom, left to right, although in certain cases diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/Generated/FormRecognizerRestClient.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/Generated/FormRecognizerRestClient.cs index 58c81e361d33..593caa0393cb 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/Generated/FormRecognizerRestClient.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/Generated/FormRecognizerRestClient.cs @@ -1508,7 +1508,7 @@ public Response GetAnalyzeReceiptResult(Guid resultId, C } } - internal HttpMessage CreateAnalyzeLayoutAsyncRequest(FormContentType contentType, IEnumerable pages, FormRecognizerLanguage? language, ReadingOrder? readingOrder, Stream fileStream) + internal HttpMessage CreateAnalyzeLayoutAsyncRequest(FormContentType contentType, IEnumerable pages, FormRecognizerLanguage? language, FormReadingOrder? readingOrder, Stream fileStream) { var message = _pipeline.CreateMessage(); var request = message.Request; @@ -1547,7 +1547,7 @@ internal HttpMessage CreateAnalyzeLayoutAsyncRequest(FormContentType contentType /// Reading order algorithm to sort the text lines returned. Supported reading orders include: basic(default), natural. /// .json, .pdf, .jpg, .png, .tiff or .bmp type file stream. /// The cancellation token to use. - public async Task> AnalyzeLayoutAsyncAsync(FormContentType contentType, IEnumerable pages = null, FormRecognizerLanguage? language = null, ReadingOrder? readingOrder = null, Stream fileStream = null, CancellationToken cancellationToken = default) + public async Task> AnalyzeLayoutAsyncAsync(FormContentType contentType, IEnumerable pages = null, FormRecognizerLanguage? language = null, FormReadingOrder? readingOrder = null, Stream fileStream = null, CancellationToken cancellationToken = default) { using var message = CreateAnalyzeLayoutAsyncRequest(contentType, pages, language, readingOrder, fileStream); await _pipeline.SendAsync(message, cancellationToken).ConfigureAwait(false); @@ -1568,7 +1568,7 @@ public async Task> /// Reading order algorithm to sort the text lines returned. Supported reading orders include: basic(default), natural. /// .json, .pdf, .jpg, .png, .tiff or .bmp type file stream. /// The cancellation token to use. - public ResponseWithHeaders AnalyzeLayoutAsync(FormContentType contentType, IEnumerable pages = null, FormRecognizerLanguage? language = null, ReadingOrder? readingOrder = null, Stream fileStream = null, CancellationToken cancellationToken = default) + public ResponseWithHeaders AnalyzeLayoutAsync(FormContentType contentType, IEnumerable pages = null, FormRecognizerLanguage? language = null, FormReadingOrder? readingOrder = null, Stream fileStream = null, CancellationToken cancellationToken = default) { using var message = CreateAnalyzeLayoutAsyncRequest(contentType, pages, language, readingOrder, fileStream); _pipeline.Send(message, cancellationToken); @@ -1582,7 +1582,7 @@ public ResponseWithHeaders AnalyzeLayou } } - internal HttpMessage CreateAnalyzeLayoutAsyncRequest(IEnumerable pages, FormRecognizerLanguage? language, ReadingOrder? readingOrder, SourcePath fileStream) + internal HttpMessage CreateAnalyzeLayoutAsyncRequest(IEnumerable pages, FormRecognizerLanguage? language, FormReadingOrder? readingOrder, SourcePath fileStream) { var message = _pipeline.CreateMessage(); var request = message.Request; @@ -1622,7 +1622,7 @@ internal HttpMessage CreateAnalyzeLayoutAsyncRequest(IEnumerable pages, /// Reading order algorithm to sort the text lines returned. Supported reading orders include: basic(default), natural. /// .json, .pdf, .jpg, .png, .tiff or .bmp type file stream. /// The cancellation token to use. - public async Task> AnalyzeLayoutAsyncAsync(IEnumerable pages = null, FormRecognizerLanguage? language = null, ReadingOrder? readingOrder = null, SourcePath fileStream = null, CancellationToken cancellationToken = default) + public async Task> AnalyzeLayoutAsyncAsync(IEnumerable pages = null, FormRecognizerLanguage? language = null, FormReadingOrder? readingOrder = null, SourcePath fileStream = null, CancellationToken cancellationToken = default) { using var message = CreateAnalyzeLayoutAsyncRequest(pages, language, readingOrder, fileStream); await _pipeline.SendAsync(message, cancellationToken).ConfigureAwait(false); @@ -1642,7 +1642,7 @@ public async Task> /// Reading order algorithm to sort the text lines returned. Supported reading orders include: basic(default), natural. /// .json, .pdf, .jpg, .png, .tiff or .bmp type file stream. /// The cancellation token to use. - public ResponseWithHeaders AnalyzeLayoutAsync(IEnumerable pages = null, FormRecognizerLanguage? language = null, ReadingOrder? readingOrder = null, SourcePath fileStream = null, CancellationToken cancellationToken = default) + public ResponseWithHeaders AnalyzeLayoutAsync(IEnumerable pages = null, FormRecognizerLanguage? language = null, FormReadingOrder? readingOrder = null, SourcePath fileStream = null, CancellationToken cancellationToken = default) { using var message = CreateAnalyzeLayoutAsyncRequest(pages, language, readingOrder, fileStream); _pipeline.Send(message, cancellationToken); diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/Generated/Models/FormReadingOrder.Serialization.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/Generated/Models/FormReadingOrder.Serialization.cs new file mode 100644 index 000000000000..14d398dc8767 --- /dev/null +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/Generated/Models/FormReadingOrder.Serialization.cs @@ -0,0 +1,28 @@ +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License. + +// + +#nullable disable + +using System; + +namespace Azure.AI.FormRecognizer +{ + internal static partial class FormReadingOrderExtensions + { + public static string ToSerialString(this FormReadingOrder value) => value switch + { + FormReadingOrder.Basic => "basic", + FormReadingOrder.Natural => "natural", + _ => throw new ArgumentOutOfRangeException(nameof(value), value, "Unknown FormReadingOrder value.") + }; + + public static FormReadingOrder ToFormReadingOrder(this string value) + { + if (string.Equals(value, "basic", StringComparison.InvariantCultureIgnoreCase)) return FormReadingOrder.Basic; + if (string.Equals(value, "natural", StringComparison.InvariantCultureIgnoreCase)) return FormReadingOrder.Natural; + throw new ArgumentOutOfRangeException(nameof(value), value, "Unknown FormReadingOrder value."); + } + } +} diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/Generated/Models/ReadingOrder.Serialization.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/Generated/Models/ReadingOrder.Serialization.cs deleted file mode 100644 index 5809ed5bd3ea..000000000000 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/Generated/Models/ReadingOrder.Serialization.cs +++ /dev/null @@ -1,28 +0,0 @@ -// Copyright (c) Microsoft Corporation. All rights reserved. -// Licensed under the MIT License. - -// - -#nullable disable - -using System; - -namespace Azure.AI.FormRecognizer -{ - internal static partial class ReadingOrderExtensions - { - public static string ToSerialString(this ReadingOrder value) => value switch - { - ReadingOrder.Basic => "basic", - ReadingOrder.Natural => "natural", - _ => throw new ArgumentOutOfRangeException(nameof(value), value, "Unknown ReadingOrder value.") - }; - - public static ReadingOrder ToReadingOrder(this string value) - { - if (string.Equals(value, "basic", StringComparison.InvariantCultureIgnoreCase)) return ReadingOrder.Basic; - if (string.Equals(value, "natural", StringComparison.InvariantCultureIgnoreCase)) return ReadingOrder.Natural; - throw new ArgumentOutOfRangeException(nameof(value), value, "Unknown ReadingOrder value."); - } - } -} diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/RecognizeContentOptions.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/RecognizeContentOptions.cs index 5f26b9a8a118..edc38a1c0a86 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/RecognizeContentOptions.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/RecognizeContentOptions.cs @@ -33,7 +33,7 @@ public RecognizeContentOptions() /// order depends on the detected text, it may change across images and OCR version updates. Thus, /// business logic should be built upon the actual line location instead of order. /// - public ReadingOrder? ReadingOrder { get; set; } + public FormReadingOrder? ReadingOrder { get; set; } /// /// The BCP-47 language code of the text in the document. diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeContentLiveTests.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeContentLiveTests.cs index b5eb062a5f86..6d614da17aae 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeContentLiveTests.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/RecognizeContentLiveTests.cs @@ -511,8 +511,8 @@ public async Task StartRecognizeContentWithReadingOrder() var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.Form1); RecognizeContentOperation basicOrderOperation, naturalOrderOperation; - basicOrderOperation = await client.StartRecognizeContentFromUriAsync(uri, new RecognizeContentOptions() { ReadingOrder = ReadingOrder.Basic }); - naturalOrderOperation = await client.StartRecognizeContentFromUriAsync(uri, new RecognizeContentOptions() { ReadingOrder = ReadingOrder.Natural }); + basicOrderOperation = await client.StartRecognizeContentFromUriAsync(uri, new RecognizeContentOptions() { ReadingOrder = FormReadingOrder.Basic }); + naturalOrderOperation = await client.StartRecognizeContentFromUriAsync(uri, new RecognizeContentOptions() { ReadingOrder = FormReadingOrder.Natural }); await basicOrderOperation.WaitForCompletionAsync(); Assert.IsTrue(basicOrderOperation.HasValue); From d661cc7fde3ea82fedd022c54d1a3bfb11642339 Mon Sep 17 00:00:00 2001 From: Matt Ellis Date: Mon, 3 May 2021 16:40:02 -0700 Subject: [PATCH 27/37] [Purview] Design Refactor for Scanning (#20811) Based on feedback with the C# architects, we've made some changes to the class factoring here and renamed some methods. The goal was to try to reduce the number of clients we have and clean up some naming issues. --- ...alytics.Purview.Scanning.netstandard2.0.cs | 209 +++--- .../PurviewClassificationRuleClient.cs | 18 + .../Customizations/PurviewDataSourceClient.cs | 21 + .../src/Customizations/PurviewScanClient.cs | 19 + .../Customizations/PurviewScanningClient.cs | 14 + .../src/Generated/AzureKeyVaultsClient.cs | 195 ------ .../src/Generated/DataSourceClient.cs | 85 --- .../src/Generated/FiltersClient.cs | 141 ---- ....cs => PurviewClassificationRuleClient.cs} | 123 ++-- ...esClient.cs => PurviewDataSourceClient.cs} | 103 ++- .../src/Generated/PurviewScanClient.cs | 481 ++++++++++++++ .../Generated/PurviewScanningServiceClient.cs | 613 ++++++++++++++++++ ...=> PurviewScanningServiceClientOptions.cs} | 8 +- .../src/Generated/ScanRulesetsClient.cs | 195 ------ .../src/Generated/ScansClient.cs | 354 ---------- .../src/Generated/SystemScanRulesetsClient.cs | 238 ------- .../src/Generated/TriggersClient.cs | 182 ------ .../src/autorest.md | 102 ++- ...re.Analytics.Purview.Scanning.Tests.csproj | 2 +- 19 files changed, 1452 insertions(+), 1651 deletions(-) create mode 100644 sdk/purview/Azure.Analytics.Purview.Scanning/src/Customizations/PurviewClassificationRuleClient.cs create mode 100644 sdk/purview/Azure.Analytics.Purview.Scanning/src/Customizations/PurviewDataSourceClient.cs create mode 100644 sdk/purview/Azure.Analytics.Purview.Scanning/src/Customizations/PurviewScanClient.cs create mode 100644 sdk/purview/Azure.Analytics.Purview.Scanning/src/Customizations/PurviewScanningClient.cs delete mode 100644 sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/AzureKeyVaultsClient.cs delete mode 100644 sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/DataSourceClient.cs delete mode 100644 sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/FiltersClient.cs rename sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/{ClassificationRulesClient.cs => PurviewClassificationRuleClient.cs} (56%) rename sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/{DataSourcesClient.cs => PurviewDataSourceClient.cs} (64%) create mode 100644 sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewScanClient.cs create mode 100644 sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewScanningServiceClient.cs rename sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/{ScanningClientOptions.cs => PurviewScanningServiceClientOptions.cs} (70%) delete mode 100644 sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ScanRulesetsClient.cs delete mode 100644 sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ScansClient.cs delete mode 100644 sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/SystemScanRulesetsClient.cs delete mode 100644 sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/TriggersClient.cs diff --git a/sdk/purview/Azure.Analytics.Purview.Scanning/api/Azure.Analytics.Purview.Scanning.netstandard2.0.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/api/Azure.Analytics.Purview.Scanning.netstandard2.0.cs index 85b12324a577..87c1faf463af 100644 --- a/sdk/purview/Azure.Analytics.Purview.Scanning/api/Azure.Analytics.Purview.Scanning.netstandard2.0.cs +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/api/Azure.Analytics.Purview.Scanning.netstandard2.0.cs @@ -1,139 +1,112 @@ namespace Azure.Analytics.Purview.Scanning { - public partial class AzureKeyVaultsClient + public partial class PurviewClassificationRuleClient { - protected AzureKeyVaultsClient() { } - public AzureKeyVaultsClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Scanning.ScanningClientOptions options = null) { } + protected PurviewClassificationRuleClient() { } + public PurviewClassificationRuleClient(System.Uri endpoint, string classificationRuleName, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Scanning.PurviewScanningServiceClientOptions options = null) { } public virtual Azure.Core.Pipeline.HttpPipeline Pipeline { get { throw null; } } - public virtual Azure.Response CreateAzureKeyVault(string azureKeyVaultName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task CreateAzureKeyVaultAsync(string azureKeyVaultName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response DeleteAzureKeyVault(string azureKeyVaultName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task DeleteAzureKeyVaultAsync(string azureKeyVaultName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response GetAzureKeyVault(string azureKeyVaultName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task GetAzureKeyVaultAsync(string azureKeyVaultName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response ListByAccount(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task ListByAccountAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response CreateOrUpdate(Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task CreateOrUpdateAsync(Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response Delete(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task DeleteAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response GetProperties(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task GetPropertiesAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response GetVersions(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task GetVersionsAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response TagVersion(int classificationRuleVersion, string action, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task TagVersionAsync(int classificationRuleVersion, string action, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } - public partial class ClassificationRulesClient + public partial class PurviewDataSourceClient { - protected ClassificationRulesClient() { } - public ClassificationRulesClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Scanning.ScanningClientOptions options = null) { } + protected PurviewDataSourceClient() { } + public PurviewDataSourceClient(System.Uri endpoint, string dataSourceName, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Scanning.PurviewScanningServiceClientOptions options = null) { } public virtual Azure.Core.Pipeline.HttpPipeline Pipeline { get { throw null; } } - public virtual Azure.Response CreateOrUpdate(string classificationRuleName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task CreateOrUpdateAsync(string classificationRuleName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response Delete(string classificationRuleName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task DeleteAsync(string classificationRuleName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response Get(string classificationRuleName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task GetAsync(string classificationRuleName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response ListAll(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task ListAllAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response ListVersionsByClassificationRuleName(string classificationRuleName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task ListVersionsByClassificationRuleNameAsync(string classificationRuleName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response TagClassificationVersion(string classificationRuleName, int classificationRuleVersion, string action, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task TagClassificationVersionAsync(string classificationRuleName, int classificationRuleVersion, string action, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response CreateOrUpdate(Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task CreateOrUpdateAsync(Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response Delete(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task DeleteAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response GetChildren(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task GetChildrenAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response GetProperties(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task GetPropertiesAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public Azure.Analytics.Purview.Scanning.PurviewScanClient GetScanClient(string scanName) { throw null; } + public virtual Azure.Response GetScans(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task GetScansAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } - public partial class DataSourceClient + public partial class PurviewScanClient { - protected DataSourceClient() { } - public DataSourceClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Scanning.ScanningClientOptions options = null) { } + protected PurviewScanClient() { } + public PurviewScanClient(System.Uri endpoint, string dataSourceName, string scanName, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Scanning.PurviewScanningServiceClientOptions options = null) { } public virtual Azure.Core.Pipeline.HttpPipeline Pipeline { get { throw null; } } - public virtual Azure.Response ListUnparentedDataSourcesByAccount(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task ListUnparentedDataSourcesByAccountAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response CancelScan(string runId, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task CancelScanAsync(string runId, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response CreateOrUpdate(Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task CreateOrUpdateAsync(Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response CreateOrUpdateFilter(Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task CreateOrUpdateFilterAsync(Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response CreateOrUpdateTrigger(Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task CreateOrUpdateTriggerAsync(Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response Delete(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task DeleteAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response DeleteTrigger(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task DeleteTriggerAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response GetFilter(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task GetFilterAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response GetProperties(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task GetPropertiesAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response GetRuns(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task GetRunsAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response GetTrigger(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task GetTriggerAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response RunScan(string runId, string scanLevel = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task RunScanAsync(string runId, string scanLevel = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } - public partial class DataSourcesClient + public partial class PurviewScanningServiceClient { - protected DataSourcesClient() { } - public DataSourcesClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Scanning.ScanningClientOptions options = null) { } + protected PurviewScanningServiceClient() { } + public PurviewScanningServiceClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Scanning.PurviewScanningServiceClientOptions options = null) { } public virtual Azure.Core.Pipeline.HttpPipeline Pipeline { get { throw null; } } - public virtual Azure.Response CreateOrUpdate(string dataSourceName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task CreateOrUpdateAsync(string dataSourceName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response Delete(string dataSourceName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task DeleteAsync(string dataSourceName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response Get(string dataSourceName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task GetAsync(string dataSourceName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response ListByAccount(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task ListByAccountAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response ListChildrenByCollection(string dataSourceName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task ListChildrenByCollectionAsync(string dataSourceName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response CreateOrUpdateKeyVaultReference(string azureKeyVaultName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task CreateOrUpdateKeyVaultReferenceAsync(string azureKeyVaultName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response CreateOrUpdateScanRuelset(string scanRulesetName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task CreateOrUpdateScanRuelsetAsync(string scanRulesetName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response DeleteKeyVaultReference(string azureKeyVaultName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task DeleteKeyVaultReferenceAsync(string azureKeyVaultName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response DeleteScanRuleset(string scanRulesetName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task DeleteScanRulesetAsync(string scanRulesetName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public Azure.Analytics.Purview.Scanning.PurviewClassificationRuleClient GetClassificationRuleClient(string classificationRuleName) { throw null; } + public virtual Azure.Response GetClassificationRules(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task GetClassificationRulesAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public Azure.Analytics.Purview.Scanning.PurviewDataSourceClient GetDataSourceClient(string dataSourceName) { throw null; } + public virtual Azure.Response GetDataSources(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task GetDataSourcesAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response GetKeyVaultReference(string azureKeyVaultName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task GetKeyVaultReferenceAsync(string azureKeyVaultName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response GetKeyVaultReferences(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task GetKeyVaultReferencesAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response GetLatestSystemRulestes(string dataSourceType = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task GetLatestSystemRulestesAsync(string dataSourceType = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response GetScanRuleset(string scanRulesetName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task GetScanRulesetAsync(string scanRulesetName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response GetScanRulesets(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task GetScanRulesetsAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response GetSystemRulesets(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task GetSystemRulesetsAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response GetSystemRulesetsForDataSource(string dataSourceType, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task GetSystemRulesetsForDataSourceAsync(string dataSourceType, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response GetSystemRulesetsForVersion(int version, string dataSourceType = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task GetSystemRulesetsForVersionAsync(int version, string dataSourceType = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response GetSystemRulesetsVersions(string dataSourceType = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task GetSystemRulesetsVersionsAsync(string dataSourceType = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response GetUnparentedDataSources(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task GetUnparentedDataSourcesAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } - public partial class FiltersClient + public partial class PurviewScanningServiceClientOptions : Azure.Core.ClientOptions { - protected FiltersClient() { } - public FiltersClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Scanning.ScanningClientOptions options = null) { } - public virtual Azure.Core.Pipeline.HttpPipeline Pipeline { get { throw null; } } - public virtual Azure.Response CreateOrUpdate(string dataSourceName, string scanName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task CreateOrUpdateAsync(string dataSourceName, string scanName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response Get(string dataSourceName, string scanName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task GetAsync(string dataSourceName, string scanName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - } - public partial class ScanningClientOptions : Azure.Core.ClientOptions - { - public ScanningClientOptions(Azure.Analytics.Purview.Scanning.ScanningClientOptions.ServiceVersion version = Azure.Analytics.Purview.Scanning.ScanningClientOptions.ServiceVersion.V2018_12_01_preview) { } + public PurviewScanningServiceClientOptions(Azure.Analytics.Purview.Scanning.PurviewScanningServiceClientOptions.ServiceVersion version = Azure.Analytics.Purview.Scanning.PurviewScanningServiceClientOptions.ServiceVersion.V2018_12_01_preview) { } public enum ServiceVersion { V2018_12_01_preview = 1, } } - public partial class ScanRulesetsClient - { - protected ScanRulesetsClient() { } - public ScanRulesetsClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Scanning.ScanningClientOptions options = null) { } - public virtual Azure.Core.Pipeline.HttpPipeline Pipeline { get { throw null; } } - public virtual Azure.Response CreateOrUpdate(string scanRulesetName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task CreateOrUpdateAsync(string scanRulesetName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response Delete(string scanRulesetName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task DeleteAsync(string scanRulesetName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response Get(string scanRulesetName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task GetAsync(string scanRulesetName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response ListAll(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task ListAllAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - } - public partial class ScansClient - { - protected ScansClient() { } - public ScansClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Scanning.ScanningClientOptions options = null) { } - public virtual Azure.Core.Pipeline.HttpPipeline Pipeline { get { throw null; } } - public virtual Azure.Response CancelScan(string dataSourceName, string scanName, string runId, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task CancelScanAsync(string dataSourceName, string scanName, string runId, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response CreateOrUpdate(string dataSourceName, string scanName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task CreateOrUpdateAsync(string dataSourceName, string scanName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response Delete(string dataSourceName, string scanName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task DeleteAsync(string dataSourceName, string scanName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response Get(string dataSourceName, string scanName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task GetAsync(string dataSourceName, string scanName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response ListByDataSource(string dataSourceName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task ListByDataSourceAsync(string dataSourceName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response ListScanHistory(string dataSourceName, string scanName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task ListScanHistoryAsync(string dataSourceName, string scanName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response RunScan(string dataSourceName, string scanName, string runId, string scanLevel = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task RunScanAsync(string dataSourceName, string scanName, string runId, string scanLevel = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - } - public partial class SystemScanRulesetsClient - { - protected SystemScanRulesetsClient() { } - public SystemScanRulesetsClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Scanning.ScanningClientOptions options = null) { } - public virtual Azure.Core.Pipeline.HttpPipeline Pipeline { get { throw null; } } - public virtual Azure.Response Get(string dataSourceType, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task GetAsync(string dataSourceType, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response GetByVersion(int version, string dataSourceType = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task GetByVersionAsync(int version, string dataSourceType = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response GetLatest(string dataSourceType = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task GetLatestAsync(string dataSourceType = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response ListAll(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task ListAllAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response ListVersionsByDataSource(string dataSourceType = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task ListVersionsByDataSourceAsync(string dataSourceType = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - } - public partial class TriggersClient - { - protected TriggersClient() { } - public TriggersClient(System.Uri endpoint, Azure.Core.TokenCredential credential, Azure.Analytics.Purview.Scanning.ScanningClientOptions options = null) { } - public virtual Azure.Core.Pipeline.HttpPipeline Pipeline { get { throw null; } } - public virtual Azure.Response CreateTrigger(string dataSourceName, string scanName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task CreateTriggerAsync(string dataSourceName, string scanName, Azure.Core.RequestContent requestBody, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response DeleteTrigger(string dataSourceName, string scanName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task DeleteTriggerAsync(string dataSourceName, string scanName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response GetTrigger(string dataSourceName, string scanName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task GetTriggerAsync(string dataSourceName, string scanName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - } } diff --git a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Customizations/PurviewClassificationRuleClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Customizations/PurviewClassificationRuleClient.cs new file mode 100644 index 000000000000..545376ffeb26 --- /dev/null +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Customizations/PurviewClassificationRuleClient.cs @@ -0,0 +1,18 @@ +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License. + +using System; +using Azure.Core.Pipeline; + +namespace Azure.Analytics.Purview.Scanning +{ + public partial class PurviewClassificationRuleClient + { + internal PurviewClassificationRuleClient(Uri endpoint, string classificationRuleName, HttpPipeline pipeline, string apiVersion) { + this.endpoint = endpoint; + this.Pipeline = pipeline; + this.classificationRuleName = classificationRuleName; + this.apiVersion = apiVersion; + } + } +} diff --git a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Customizations/PurviewDataSourceClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Customizations/PurviewDataSourceClient.cs new file mode 100644 index 000000000000..f6d4c30e1f24 --- /dev/null +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Customizations/PurviewDataSourceClient.cs @@ -0,0 +1,21 @@ +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License. + +using System; +using Azure.Core.Pipeline; + +namespace Azure.Analytics.Purview.Scanning +{ + public partial class PurviewDataSourceClient + { + internal PurviewDataSourceClient(Uri endpoint, string dataSourceName, HttpPipeline pipeline, string apiVersion) { + this.endpoint = endpoint; + this.dataSourceName= dataSourceName; + this.Pipeline = pipeline; + this.apiVersion = apiVersion; + } + + /// + public PurviewScanClient GetScanClient(string scanName) => new PurviewScanClient(endpoint, dataSourceName, scanName, Pipeline, apiVersion); + } +} diff --git a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Customizations/PurviewScanClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Customizations/PurviewScanClient.cs new file mode 100644 index 000000000000..dec1361310a7 --- /dev/null +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Customizations/PurviewScanClient.cs @@ -0,0 +1,19 @@ +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License. + +using System; +using Azure.Core.Pipeline; + +namespace Azure.Analytics.Purview.Scanning +{ + public partial class PurviewScanClient + { + internal PurviewScanClient(Uri endpoint, string dataSourceName, string scanName, HttpPipeline pipeline, string apiVersion) { + this.endpoint = endpoint; + this.dataSourceName= dataSourceName; + this.scanName = scanName; + this.Pipeline = pipeline; + this.apiVersion = apiVersion; + } + } +} diff --git a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Customizations/PurviewScanningClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Customizations/PurviewScanningClient.cs new file mode 100644 index 000000000000..dd712080bdac --- /dev/null +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Customizations/PurviewScanningClient.cs @@ -0,0 +1,14 @@ +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License. + +namespace Azure.Analytics.Purview.Scanning +{ + public partial class PurviewScanningServiceClient + { + /// + public PurviewDataSourceClient GetDataSourceClient(string dataSourceName) => new PurviewDataSourceClient(endpoint, dataSourceName, Pipeline, apiVersion); + + /// + public PurviewClassificationRuleClient GetClassificationRuleClient(string classificationRuleName) => new PurviewClassificationRuleClient(endpoint, classificationRuleName, Pipeline, apiVersion); + } +} diff --git a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/AzureKeyVaultsClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/AzureKeyVaultsClient.cs deleted file mode 100644 index 32925eeb0ad9..000000000000 --- a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/AzureKeyVaultsClient.cs +++ /dev/null @@ -1,195 +0,0 @@ -// Copyright (c) Microsoft Corporation. All rights reserved. -// Licensed under the MIT License. - -// - -#nullable disable - -using System; -using System.Threading; -using System.Threading.Tasks; -using Azure; -using Azure.Core; -using Azure.Core.Pipeline; - -#pragma warning disable AZC0007 - -namespace Azure.Analytics.Purview.Scanning -{ - /// The AzureKeyVaults service client. - public partial class AzureKeyVaultsClient - { - /// The HTTP pipeline for sending and receiving REST requests and responses. - public virtual HttpPipeline Pipeline { get; } - private readonly string[] AuthorizationScopes = { "https://purview.azure.net/.default" }; - private Uri endpoint; - private readonly string apiVersion; - - /// Initializes a new instance of AzureKeyVaultsClient for mocking. - protected AzureKeyVaultsClient() - { - } - - /// Initializes a new instance of AzureKeyVaultsClient. - /// The scanning endpoint of your purview account. Example: https://{accountName}.scan.purview.azure.com. - /// A credential used to authenticate to an Azure Service. - /// The options for configuring the client. - public AzureKeyVaultsClient(Uri endpoint, TokenCredential credential, ScanningClientOptions options = null) - { - if (endpoint == null) - { - throw new ArgumentNullException(nameof(endpoint)); - } - if (credential == null) - { - throw new ArgumentNullException(nameof(credential)); - } - - options ??= new ScanningClientOptions(); - Pipeline = HttpPipelineBuilder.Build(options, new BearerTokenAuthenticationPolicy(credential, AuthorizationScopes)); - this.endpoint = endpoint; - apiVersion = options.Version; - } - - /// Gets azureKeyVault information. - /// The String to use. - /// The cancellation token to use. - public virtual async Task GetAzureKeyVaultAsync(string azureKeyVaultName, CancellationToken cancellationToken = default) - { - Request req = CreateGetAzureKeyVaultRequest(azureKeyVaultName); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// Gets azureKeyVault information. - /// The String to use. - /// The cancellation token to use. - public virtual Response GetAzureKeyVault(string azureKeyVaultName, CancellationToken cancellationToken = default) - { - Request req = CreateGetAzureKeyVaultRequest(azureKeyVaultName); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - /// The String to use. - private Request CreateGetAzureKeyVaultRequest(string azureKeyVaultName) - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Get; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/azureKeyVaults/", false); - uri.AppendPath(azureKeyVaultName, true); - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - return request; - } - - /// Creates an instance of a azureKeyVault. - /// The String to use. - /// The request body. - /// The cancellation token to use. - public virtual async Task CreateAzureKeyVaultAsync(string azureKeyVaultName, RequestContent requestBody, CancellationToken cancellationToken = default) - { - Request req = CreateCreateAzureKeyVaultRequest(azureKeyVaultName, requestBody); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// Creates an instance of a azureKeyVault. - /// The String to use. - /// The request body. - /// The cancellation token to use. - public virtual Response CreateAzureKeyVault(string azureKeyVaultName, RequestContent requestBody, CancellationToken cancellationToken = default) - { - Request req = CreateCreateAzureKeyVaultRequest(azureKeyVaultName, requestBody); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - /// The String to use. - /// The request body. - private Request CreateCreateAzureKeyVaultRequest(string azureKeyVaultName, RequestContent requestBody) - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Put; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/azureKeyVaults/", false); - uri.AppendPath(azureKeyVaultName, true); - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - request.Headers.Add("Content-Type", "application/json"); - request.Content = requestBody; - return request; - } - - /// Deletes the azureKeyVault associated with the account. - /// The String to use. - /// The cancellation token to use. - public virtual async Task DeleteAzureKeyVaultAsync(string azureKeyVaultName, CancellationToken cancellationToken = default) - { - Request req = CreateDeleteAzureKeyVaultRequest(azureKeyVaultName); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// Deletes the azureKeyVault associated with the account. - /// The String to use. - /// The cancellation token to use. - public virtual Response DeleteAzureKeyVault(string azureKeyVaultName, CancellationToken cancellationToken = default) - { - Request req = CreateDeleteAzureKeyVaultRequest(azureKeyVaultName); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - /// The String to use. - private Request CreateDeleteAzureKeyVaultRequest(string azureKeyVaultName) - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Delete; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/azureKeyVaults/", false); - uri.AppendPath(azureKeyVaultName, true); - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - return request; - } - - /// List azureKeyVaults in account. - /// The cancellation token to use. - public virtual async Task ListByAccountAsync(CancellationToken cancellationToken = default) - { - Request req = CreateListByAccountRequest(); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// List azureKeyVaults in account. - /// The cancellation token to use. - public virtual Response ListByAccount(CancellationToken cancellationToken = default) - { - Request req = CreateListByAccountRequest(); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - private Request CreateListByAccountRequest() - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Get; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/azureKeyVaults", false); - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - return request; - } - } -} diff --git a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/DataSourceClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/DataSourceClient.cs deleted file mode 100644 index e650723a29db..000000000000 --- a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/DataSourceClient.cs +++ /dev/null @@ -1,85 +0,0 @@ -// Copyright (c) Microsoft Corporation. All rights reserved. -// Licensed under the MIT License. - -// - -#nullable disable - -using System; -using System.Threading; -using System.Threading.Tasks; -using Azure; -using Azure.Core; -using Azure.Core.Pipeline; - -#pragma warning disable AZC0007 - -namespace Azure.Analytics.Purview.Scanning -{ - /// The DataSource service client. - public partial class DataSourceClient - { - /// The HTTP pipeline for sending and receiving REST requests and responses. - public virtual HttpPipeline Pipeline { get; } - private readonly string[] AuthorizationScopes = { "https://purview.azure.net/.default" }; - private Uri endpoint; - private readonly string apiVersion; - - /// Initializes a new instance of DataSourceClient for mocking. - protected DataSourceClient() - { - } - - /// Initializes a new instance of DataSourceClient. - /// The scanning endpoint of your purview account. Example: https://{accountName}.scan.purview.azure.com. - /// A credential used to authenticate to an Azure Service. - /// The options for configuring the client. - public DataSourceClient(Uri endpoint, TokenCredential credential, ScanningClientOptions options = null) - { - if (endpoint == null) - { - throw new ArgumentNullException(nameof(endpoint)); - } - if (credential == null) - { - throw new ArgumentNullException(nameof(credential)); - } - - options ??= new ScanningClientOptions(); - Pipeline = HttpPipelineBuilder.Build(options, new BearerTokenAuthenticationPolicy(credential, AuthorizationScopes)); - this.endpoint = endpoint; - apiVersion = options.Version; - } - - /// Lists the data sources in the account that do not belong to any collection. - /// The cancellation token to use. - public virtual async Task ListUnparentedDataSourcesByAccountAsync(CancellationToken cancellationToken = default) - { - Request req = CreateListUnparentedDataSourcesByAccountRequest(); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// Lists the data sources in the account that do not belong to any collection. - /// The cancellation token to use. - public virtual Response ListUnparentedDataSourcesByAccount(CancellationToken cancellationToken = default) - { - Request req = CreateListUnparentedDataSourcesByAccountRequest(); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - private Request CreateListUnparentedDataSourcesByAccountRequest() - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Get; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/listUnparentedDataSources", false); - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - return request; - } - } -} diff --git a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/FiltersClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/FiltersClient.cs deleted file mode 100644 index 8cde55568cc6..000000000000 --- a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/FiltersClient.cs +++ /dev/null @@ -1,141 +0,0 @@ -// Copyright (c) Microsoft Corporation. All rights reserved. -// Licensed under the MIT License. - -// - -#nullable disable - -using System; -using System.Threading; -using System.Threading.Tasks; -using Azure; -using Azure.Core; -using Azure.Core.Pipeline; - -#pragma warning disable AZC0007 - -namespace Azure.Analytics.Purview.Scanning -{ - /// The Filters service client. - public partial class FiltersClient - { - /// The HTTP pipeline for sending and receiving REST requests and responses. - public virtual HttpPipeline Pipeline { get; } - private readonly string[] AuthorizationScopes = { "https://purview.azure.net/.default" }; - private Uri endpoint; - private readonly string apiVersion; - - /// Initializes a new instance of FiltersClient for mocking. - protected FiltersClient() - { - } - - /// Initializes a new instance of FiltersClient. - /// The scanning endpoint of your purview account. Example: https://{accountName}.scan.purview.azure.com. - /// A credential used to authenticate to an Azure Service. - /// The options for configuring the client. - public FiltersClient(Uri endpoint, TokenCredential credential, ScanningClientOptions options = null) - { - if (endpoint == null) - { - throw new ArgumentNullException(nameof(endpoint)); - } - if (credential == null) - { - throw new ArgumentNullException(nameof(credential)); - } - - options ??= new ScanningClientOptions(); - Pipeline = HttpPipelineBuilder.Build(options, new BearerTokenAuthenticationPolicy(credential, AuthorizationScopes)); - this.endpoint = endpoint; - apiVersion = options.Version; - } - - /// Get a filter. - /// The String to use. - /// The String to use. - /// The cancellation token to use. - public virtual async Task GetAsync(string dataSourceName, string scanName, CancellationToken cancellationToken = default) - { - Request req = CreateGetRequest(dataSourceName, scanName); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// Get a filter. - /// The String to use. - /// The String to use. - /// The cancellation token to use. - public virtual Response Get(string dataSourceName, string scanName, CancellationToken cancellationToken = default) - { - Request req = CreateGetRequest(dataSourceName, scanName); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - /// The String to use. - /// The String to use. - private Request CreateGetRequest(string dataSourceName, string scanName) - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Get; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/datasources/", false); - uri.AppendPath(dataSourceName, true); - uri.AppendPath("/scans/", false); - uri.AppendPath(scanName, true); - uri.AppendPath("/filters/custom", false); - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - return request; - } - - /// Creates or updates a filter. - /// The String to use. - /// The String to use. - /// The request body. - /// The cancellation token to use. - public virtual async Task CreateOrUpdateAsync(string dataSourceName, string scanName, RequestContent requestBody, CancellationToken cancellationToken = default) - { - Request req = CreateCreateOrUpdateRequest(dataSourceName, scanName, requestBody); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// Creates or updates a filter. - /// The String to use. - /// The String to use. - /// The request body. - /// The cancellation token to use. - public virtual Response CreateOrUpdate(string dataSourceName, string scanName, RequestContent requestBody, CancellationToken cancellationToken = default) - { - Request req = CreateCreateOrUpdateRequest(dataSourceName, scanName, requestBody); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - /// The String to use. - /// The String to use. - /// The request body. - private Request CreateCreateOrUpdateRequest(string dataSourceName, string scanName, RequestContent requestBody) - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Put; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/datasources/", false); - uri.AppendPath(dataSourceName, true); - uri.AppendPath("/scans/", false); - uri.AppendPath(scanName, true); - uri.AppendPath("/filters/custom", false); - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - request.Headers.Add("Content-Type", "application/json"); - request.Content = requestBody; - return request; - } - } -} diff --git a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ClassificationRulesClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewClassificationRuleClient.cs similarity index 56% rename from sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ClassificationRulesClient.cs rename to sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewClassificationRuleClient.cs index 613e7ba14fab..6fa6c1d7c0ce 100644 --- a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ClassificationRulesClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewClassificationRuleClient.cs @@ -16,62 +16,66 @@ namespace Azure.Analytics.Purview.Scanning { - /// The ClassificationRules service client. - public partial class ClassificationRulesClient + /// The PurviewClassificationRule service client. + public partial class PurviewClassificationRuleClient { /// The HTTP pipeline for sending and receiving REST requests and responses. public virtual HttpPipeline Pipeline { get; } private readonly string[] AuthorizationScopes = { "https://purview.azure.net/.default" }; private Uri endpoint; + private string classificationRuleName; private readonly string apiVersion; - /// Initializes a new instance of ClassificationRulesClient for mocking. - protected ClassificationRulesClient() + /// Initializes a new instance of PurviewClassificationRuleClient for mocking. + protected PurviewClassificationRuleClient() { } - /// Initializes a new instance of ClassificationRulesClient. + /// Initializes a new instance of PurviewClassificationRuleClient. /// The scanning endpoint of your purview account. Example: https://{accountName}.scan.purview.azure.com. + /// The String to use. /// A credential used to authenticate to an Azure Service. /// The options for configuring the client. - public ClassificationRulesClient(Uri endpoint, TokenCredential credential, ScanningClientOptions options = null) + public PurviewClassificationRuleClient(Uri endpoint, string classificationRuleName, TokenCredential credential, PurviewScanningServiceClientOptions options = null) { if (endpoint == null) { throw new ArgumentNullException(nameof(endpoint)); } + if (classificationRuleName == null) + { + throw new ArgumentNullException(nameof(classificationRuleName)); + } if (credential == null) { throw new ArgumentNullException(nameof(credential)); } - options ??= new ScanningClientOptions(); + options ??= new PurviewScanningServiceClientOptions(); Pipeline = HttpPipelineBuilder.Build(options, new BearerTokenAuthenticationPolicy(credential, AuthorizationScopes)); this.endpoint = endpoint; + this.classificationRuleName = classificationRuleName; apiVersion = options.Version; } /// Get a classification rule. - /// The String to use. /// The cancellation token to use. - public virtual async Task GetAsync(string classificationRuleName, CancellationToken cancellationToken = default) + public virtual async Task GetPropertiesAsync(CancellationToken cancellationToken = default) { - Request req = CreateGetRequest(classificationRuleName); + Request req = CreateGetPropertiesRequest(); return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); } /// Get a classification rule. - /// The String to use. /// The cancellation token to use. - public virtual Response Get(string classificationRuleName, CancellationToken cancellationToken = default) + public virtual Response GetProperties(CancellationToken cancellationToken = default) { - Request req = CreateGetRequest(classificationRuleName); + Request req = CreateGetPropertiesRequest(); return Pipeline.SendRequest(req, cancellationToken); } - /// Create Request for and operations. - /// The String to use. - private Request CreateGetRequest(string classificationRuleName) + /// Create Request for and operations. + private Request CreateGetPropertiesRequest() { var message = Pipeline.CreateMessage(); var request = message.Request; @@ -87,29 +91,26 @@ private Request CreateGetRequest(string classificationRuleName) } /// Creates or Updates a classification rule. - /// The String to use. /// The request body. /// The cancellation token to use. - public virtual async Task CreateOrUpdateAsync(string classificationRuleName, RequestContent requestBody, CancellationToken cancellationToken = default) + public virtual async Task CreateOrUpdateAsync(RequestContent requestBody, CancellationToken cancellationToken = default) { - Request req = CreateCreateOrUpdateRequest(classificationRuleName, requestBody); + Request req = CreateCreateOrUpdateRequest(requestBody); return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); } /// Creates or Updates a classification rule. - /// The String to use. /// The request body. /// The cancellation token to use. - public virtual Response CreateOrUpdate(string classificationRuleName, RequestContent requestBody, CancellationToken cancellationToken = default) + public virtual Response CreateOrUpdate(RequestContent requestBody, CancellationToken cancellationToken = default) { - Request req = CreateCreateOrUpdateRequest(classificationRuleName, requestBody); + Request req = CreateCreateOrUpdateRequest(requestBody); return Pipeline.SendRequest(req, cancellationToken); } /// Create Request for and operations. - /// The String to use. /// The request body. - private Request CreateCreateOrUpdateRequest(string classificationRuleName, RequestContent requestBody) + private Request CreateCreateOrUpdateRequest(RequestContent requestBody) { var message = Pipeline.CreateMessage(); var request = message.Request; @@ -127,26 +128,23 @@ private Request CreateCreateOrUpdateRequest(string classificationRuleName, Reque } /// Deletes a classification rule. - /// The String to use. /// The cancellation token to use. - public virtual async Task DeleteAsync(string classificationRuleName, CancellationToken cancellationToken = default) + public virtual async Task DeleteAsync(CancellationToken cancellationToken = default) { - Request req = CreateDeleteRequest(classificationRuleName); + Request req = CreateDeleteRequest(); return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); } /// Deletes a classification rule. - /// The String to use. /// The cancellation token to use. - public virtual Response Delete(string classificationRuleName, CancellationToken cancellationToken = default) + public virtual Response Delete(CancellationToken cancellationToken = default) { - Request req = CreateDeleteRequest(classificationRuleName); + Request req = CreateDeleteRequest(); return Pipeline.SendRequest(req, cancellationToken); } /// Create Request for and operations. - /// The String to use. - private Request CreateDeleteRequest(string classificationRuleName) + private Request CreateDeleteRequest() { var message = Pipeline.CreateMessage(); var request = message.Request; @@ -161,58 +159,24 @@ private Request CreateDeleteRequest(string classificationRuleName) return request; } - /// List classification rules in Account. - /// The cancellation token to use. - public virtual async Task ListAllAsync(CancellationToken cancellationToken = default) - { - Request req = CreateListAllRequest(); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// List classification rules in Account. - /// The cancellation token to use. - public virtual Response ListAll(CancellationToken cancellationToken = default) - { - Request req = CreateListAllRequest(); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - private Request CreateListAllRequest() - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Get; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/classificationrules", false); - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - return request; - } - /// Lists the rule versions of a classification rule. - /// The String to use. /// The cancellation token to use. - public virtual async Task ListVersionsByClassificationRuleNameAsync(string classificationRuleName, CancellationToken cancellationToken = default) + public virtual async Task GetVersionsAsync(CancellationToken cancellationToken = default) { - Request req = CreateListVersionsByClassificationRuleNameRequest(classificationRuleName); + Request req = CreateGetVersionsRequest(); return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); } /// Lists the rule versions of a classification rule. - /// The String to use. /// The cancellation token to use. - public virtual Response ListVersionsByClassificationRuleName(string classificationRuleName, CancellationToken cancellationToken = default) + public virtual Response GetVersions(CancellationToken cancellationToken = default) { - Request req = CreateListVersionsByClassificationRuleNameRequest(classificationRuleName); + Request req = CreateGetVersionsRequest(); return Pipeline.SendRequest(req, cancellationToken); } - /// Create Request for and operations. - /// The String to use. - private Request CreateListVersionsByClassificationRuleNameRequest(string classificationRuleName) + /// Create Request for and operations. + private Request CreateGetVersionsRequest() { var message = Pipeline.CreateMessage(); var request = message.Request; @@ -229,32 +193,29 @@ private Request CreateListVersionsByClassificationRuleNameRequest(string classif } /// Sets Classification Action on a specific classification rule version. - /// The String to use. /// The Integer to use. /// The ClassificationAction to use. /// The cancellation token to use. - public virtual async Task TagClassificationVersionAsync(string classificationRuleName, int classificationRuleVersion, string action, CancellationToken cancellationToken = default) + public virtual async Task TagVersionAsync(int classificationRuleVersion, string action, CancellationToken cancellationToken = default) { - Request req = CreateTagClassificationVersionRequest(classificationRuleName, classificationRuleVersion, action); + Request req = CreateTagVersionRequest(classificationRuleVersion, action); return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); } /// Sets Classification Action on a specific classification rule version. - /// The String to use. /// The Integer to use. /// The ClassificationAction to use. /// The cancellation token to use. - public virtual Response TagClassificationVersion(string classificationRuleName, int classificationRuleVersion, string action, CancellationToken cancellationToken = default) + public virtual Response TagVersion(int classificationRuleVersion, string action, CancellationToken cancellationToken = default) { - Request req = CreateTagClassificationVersionRequest(classificationRuleName, classificationRuleVersion, action); + Request req = CreateTagVersionRequest(classificationRuleVersion, action); return Pipeline.SendRequest(req, cancellationToken); } - /// Create Request for and operations. - /// The String to use. + /// Create Request for and operations. /// The Integer to use. /// The ClassificationAction to use. - private Request CreateTagClassificationVersionRequest(string classificationRuleName, int classificationRuleVersion, string action) + private Request CreateTagVersionRequest(int classificationRuleVersion, string action) { var message = Pipeline.CreateMessage(); var request = message.Request; diff --git a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/DataSourcesClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewDataSourceClient.cs similarity index 64% rename from sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/DataSourcesClient.cs rename to sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewDataSourceClient.cs index 2823d37e30d0..f02bc54bf439 100644 --- a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/DataSourcesClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewDataSourceClient.cs @@ -16,65 +16,69 @@ namespace Azure.Analytics.Purview.Scanning { - /// The DataSources service client. - public partial class DataSourcesClient + /// The PurviewDataSource service client. + public partial class PurviewDataSourceClient { /// The HTTP pipeline for sending and receiving REST requests and responses. public virtual HttpPipeline Pipeline { get; } private readonly string[] AuthorizationScopes = { "https://purview.azure.net/.default" }; private Uri endpoint; + private string dataSourceName; private readonly string apiVersion; - /// Initializes a new instance of DataSourcesClient for mocking. - protected DataSourcesClient() + /// Initializes a new instance of PurviewDataSourceClient for mocking. + protected PurviewDataSourceClient() { } - /// Initializes a new instance of DataSourcesClient. + /// Initializes a new instance of PurviewDataSourceClient. /// The scanning endpoint of your purview account. Example: https://{accountName}.scan.purview.azure.com. + /// The String to use. /// A credential used to authenticate to an Azure Service. /// The options for configuring the client. - public DataSourcesClient(Uri endpoint, TokenCredential credential, ScanningClientOptions options = null) + public PurviewDataSourceClient(Uri endpoint, string dataSourceName, TokenCredential credential, PurviewScanningServiceClientOptions options = null) { if (endpoint == null) { throw new ArgumentNullException(nameof(endpoint)); } + if (dataSourceName == null) + { + throw new ArgumentNullException(nameof(dataSourceName)); + } if (credential == null) { throw new ArgumentNullException(nameof(credential)); } - options ??= new ScanningClientOptions(); + options ??= new PurviewScanningServiceClientOptions(); Pipeline = HttpPipelineBuilder.Build(options, new BearerTokenAuthenticationPolicy(credential, AuthorizationScopes)); this.endpoint = endpoint; + this.dataSourceName = dataSourceName; apiVersion = options.Version; } /// Creates or Updates a data source. - /// The String to use. /// The request body. /// The cancellation token to use. - public virtual async Task CreateOrUpdateAsync(string dataSourceName, RequestContent requestBody, CancellationToken cancellationToken = default) + public virtual async Task CreateOrUpdateAsync(RequestContent requestBody, CancellationToken cancellationToken = default) { - Request req = CreateCreateOrUpdateRequest(dataSourceName, requestBody); + Request req = CreateCreateOrUpdateRequest(requestBody); return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); } /// Creates or Updates a data source. - /// The String to use. /// The request body. /// The cancellation token to use. - public virtual Response CreateOrUpdate(string dataSourceName, RequestContent requestBody, CancellationToken cancellationToken = default) + public virtual Response CreateOrUpdate(RequestContent requestBody, CancellationToken cancellationToken = default) { - Request req = CreateCreateOrUpdateRequest(dataSourceName, requestBody); + Request req = CreateCreateOrUpdateRequest(requestBody); return Pipeline.SendRequest(req, cancellationToken); } /// Create Request for and operations. - /// The String to use. /// The request body. - private Request CreateCreateOrUpdateRequest(string dataSourceName, RequestContent requestBody) + private Request CreateCreateOrUpdateRequest(RequestContent requestBody) { var message = Pipeline.CreateMessage(); var request = message.Request; @@ -92,26 +96,23 @@ private Request CreateCreateOrUpdateRequest(string dataSourceName, RequestConten } /// Get a data source. - /// The String to use. /// The cancellation token to use. - public virtual async Task GetAsync(string dataSourceName, CancellationToken cancellationToken = default) + public virtual async Task GetPropertiesAsync(CancellationToken cancellationToken = default) { - Request req = CreateGetRequest(dataSourceName); + Request req = CreateGetPropertiesRequest(); return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); } /// Get a data source. - /// The String to use. /// The cancellation token to use. - public virtual Response Get(string dataSourceName, CancellationToken cancellationToken = default) + public virtual Response GetProperties(CancellationToken cancellationToken = default) { - Request req = CreateGetRequest(dataSourceName); + Request req = CreateGetPropertiesRequest(); return Pipeline.SendRequest(req, cancellationToken); } - /// Create Request for and operations. - /// The String to use. - private Request CreateGetRequest(string dataSourceName) + /// Create Request for and operations. + private Request CreateGetPropertiesRequest() { var message = Pipeline.CreateMessage(); var request = message.Request; @@ -127,26 +128,23 @@ private Request CreateGetRequest(string dataSourceName) } /// Deletes a data source. - /// The String to use. /// The cancellation token to use. - public virtual async Task DeleteAsync(string dataSourceName, CancellationToken cancellationToken = default) + public virtual async Task DeleteAsync(CancellationToken cancellationToken = default) { - Request req = CreateDeleteRequest(dataSourceName); + Request req = CreateDeleteRequest(); return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); } /// Deletes a data source. - /// The String to use. /// The cancellation token to use. - public virtual Response Delete(string dataSourceName, CancellationToken cancellationToken = default) + public virtual Response Delete(CancellationToken cancellationToken = default) { - Request req = CreateDeleteRequest(dataSourceName); + Request req = CreateDeleteRequest(); return Pipeline.SendRequest(req, cancellationToken); } /// Create Request for and operations. - /// The String to use. - private Request CreateDeleteRequest(string dataSourceName) + private Request CreateDeleteRequest() { var message = Pipeline.CreateMessage(); var request = message.Request; @@ -161,58 +159,57 @@ private Request CreateDeleteRequest(string dataSourceName) return request; } - /// List data sources in Data catalog. + /// Lists the children of the collection. /// The cancellation token to use. - public virtual async Task ListByAccountAsync(CancellationToken cancellationToken = default) + public virtual async Task GetChildrenAsync(CancellationToken cancellationToken = default) { - Request req = CreateListByAccountRequest(); + Request req = CreateGetChildrenRequest(); return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); } - /// List data sources in Data catalog. + /// Lists the children of the collection. /// The cancellation token to use. - public virtual Response ListByAccount(CancellationToken cancellationToken = default) + public virtual Response GetChildren(CancellationToken cancellationToken = default) { - Request req = CreateListByAccountRequest(); + Request req = CreateGetChildrenRequest(); return Pipeline.SendRequest(req, cancellationToken); } - /// Create Request for and operations. - private Request CreateListByAccountRequest() + /// Create Request for and operations. + private Request CreateGetChildrenRequest() { var message = Pipeline.CreateMessage(); var request = message.Request; request.Method = RequestMethod.Get; var uri = new RawRequestUriBuilder(); uri.Reset(endpoint); - uri.AppendPath("/datasources", false); + uri.AppendPath("/datasources/", false); + uri.AppendPath(dataSourceName, true); + uri.AppendPath("/listChildren", false); uri.AppendQuery("api-version", apiVersion, true); request.Uri = uri; request.Headers.Add("Accept", "application/json"); return request; } - /// Lists the children of the collection. - /// The String to use. + /// List scans in data source. /// The cancellation token to use. - public virtual async Task ListChildrenByCollectionAsync(string dataSourceName, CancellationToken cancellationToken = default) + public virtual async Task GetScansAsync(CancellationToken cancellationToken = default) { - Request req = CreateListChildrenByCollectionRequest(dataSourceName); + Request req = CreateGetScansRequest(); return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); } - /// Lists the children of the collection. - /// The String to use. + /// List scans in data source. /// The cancellation token to use. - public virtual Response ListChildrenByCollection(string dataSourceName, CancellationToken cancellationToken = default) + public virtual Response GetScans(CancellationToken cancellationToken = default) { - Request req = CreateListChildrenByCollectionRequest(dataSourceName); + Request req = CreateGetScansRequest(); return Pipeline.SendRequest(req, cancellationToken); } - /// Create Request for and operations. - /// The String to use. - private Request CreateListChildrenByCollectionRequest(string dataSourceName) + /// Create Request for and operations. + private Request CreateGetScansRequest() { var message = Pipeline.CreateMessage(); var request = message.Request; @@ -221,7 +218,7 @@ private Request CreateListChildrenByCollectionRequest(string dataSourceName) uri.Reset(endpoint); uri.AppendPath("/datasources/", false); uri.AppendPath(dataSourceName, true); - uri.AppendPath("/listChildren", false); + uri.AppendPath("/scans", false); uri.AppendQuery("api-version", apiVersion, true); request.Uri = uri; request.Headers.Add("Accept", "application/json"); diff --git a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewScanClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewScanClient.cs new file mode 100644 index 000000000000..03f6aaa670fe --- /dev/null +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewScanClient.cs @@ -0,0 +1,481 @@ +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License. + +// + +#nullable disable + +using System; +using System.Threading; +using System.Threading.Tasks; +using Azure; +using Azure.Core; +using Azure.Core.Pipeline; + +#pragma warning disable AZC0007 + +namespace Azure.Analytics.Purview.Scanning +{ + /// The PurviewScan service client. + public partial class PurviewScanClient + { + /// The HTTP pipeline for sending and receiving REST requests and responses. + public virtual HttpPipeline Pipeline { get; } + private readonly string[] AuthorizationScopes = { "https://purview.azure.net/.default" }; + private Uri endpoint; + private string dataSourceName; + private string scanName; + private readonly string apiVersion; + + /// Initializes a new instance of PurviewScanClient for mocking. + protected PurviewScanClient() + { + } + + /// Initializes a new instance of PurviewScanClient. + /// The scanning endpoint of your purview account. Example: https://{accountName}.scan.purview.azure.com. + /// The String to use. + /// The String to use. + /// A credential used to authenticate to an Azure Service. + /// The options for configuring the client. + public PurviewScanClient(Uri endpoint, string dataSourceName, string scanName, TokenCredential credential, PurviewScanningServiceClientOptions options = null) + { + if (endpoint == null) + { + throw new ArgumentNullException(nameof(endpoint)); + } + if (dataSourceName == null) + { + throw new ArgumentNullException(nameof(dataSourceName)); + } + if (scanName == null) + { + throw new ArgumentNullException(nameof(scanName)); + } + if (credential == null) + { + throw new ArgumentNullException(nameof(credential)); + } + + options ??= new PurviewScanningServiceClientOptions(); + Pipeline = HttpPipelineBuilder.Build(options, new BearerTokenAuthenticationPolicy(credential, AuthorizationScopes)); + this.endpoint = endpoint; + this.dataSourceName = dataSourceName; + this.scanName = scanName; + apiVersion = options.Version; + } + + /// Get a filter. + /// The cancellation token to use. + public virtual async Task GetFilterAsync(CancellationToken cancellationToken = default) + { + Request req = CreateGetFilterRequest(); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// Get a filter. + /// The cancellation token to use. + public virtual Response GetFilter(CancellationToken cancellationToken = default) + { + Request req = CreateGetFilterRequest(); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + private Request CreateGetFilterRequest() + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Get; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/datasources/", false); + uri.AppendPath(dataSourceName, true); + uri.AppendPath("/scans/", false); + uri.AppendPath(scanName, true); + uri.AppendPath("/filters/custom", false); + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + return request; + } + + /// Creates or updates a filter. + /// The request body. + /// The cancellation token to use. + public virtual async Task CreateOrUpdateFilterAsync(RequestContent requestBody, CancellationToken cancellationToken = default) + { + Request req = CreateCreateOrUpdateFilterRequest(requestBody); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// Creates or updates a filter. + /// The request body. + /// The cancellation token to use. + public virtual Response CreateOrUpdateFilter(RequestContent requestBody, CancellationToken cancellationToken = default) + { + Request req = CreateCreateOrUpdateFilterRequest(requestBody); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + /// The request body. + private Request CreateCreateOrUpdateFilterRequest(RequestContent requestBody) + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Put; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/datasources/", false); + uri.AppendPath(dataSourceName, true); + uri.AppendPath("/scans/", false); + uri.AppendPath(scanName, true); + uri.AppendPath("/filters/custom", false); + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + request.Headers.Add("Content-Type", "application/json"); + request.Content = requestBody; + return request; + } + + /// Creates an instance of a scan. + /// The request body. + /// The cancellation token to use. + public virtual async Task CreateOrUpdateAsync(RequestContent requestBody, CancellationToken cancellationToken = default) + { + Request req = CreateCreateOrUpdateRequest(requestBody); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// Creates an instance of a scan. + /// The request body. + /// The cancellation token to use. + public virtual Response CreateOrUpdate(RequestContent requestBody, CancellationToken cancellationToken = default) + { + Request req = CreateCreateOrUpdateRequest(requestBody); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + /// The request body. + private Request CreateCreateOrUpdateRequest(RequestContent requestBody) + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Put; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/datasources/", false); + uri.AppendPath(dataSourceName, true); + uri.AppendPath("/scans/", false); + uri.AppendPath(scanName, true); + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + request.Headers.Add("Content-Type", "application/json"); + request.Content = requestBody; + return request; + } + + /// Gets a scan information. + /// The cancellation token to use. + public virtual async Task GetPropertiesAsync(CancellationToken cancellationToken = default) + { + Request req = CreateGetPropertiesRequest(); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// Gets a scan information. + /// The cancellation token to use. + public virtual Response GetProperties(CancellationToken cancellationToken = default) + { + Request req = CreateGetPropertiesRequest(); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + private Request CreateGetPropertiesRequest() + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Get; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/datasources/", false); + uri.AppendPath(dataSourceName, true); + uri.AppendPath("/scans/", false); + uri.AppendPath(scanName, true); + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + return request; + } + + /// Deletes the scan associated with the data source. + /// The cancellation token to use. + public virtual async Task DeleteAsync(CancellationToken cancellationToken = default) + { + Request req = CreateDeleteRequest(); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// Deletes the scan associated with the data source. + /// The cancellation token to use. + public virtual Response Delete(CancellationToken cancellationToken = default) + { + Request req = CreateDeleteRequest(); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + private Request CreateDeleteRequest() + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Delete; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/datasources/", false); + uri.AppendPath(dataSourceName, true); + uri.AppendPath("/scans/", false); + uri.AppendPath(scanName, true); + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + return request; + } + + /// Runs the scan. + /// The String to use. + /// The ScanLevelType to use. + /// The cancellation token to use. + public virtual async Task RunScanAsync(string runId, string scanLevel = null, CancellationToken cancellationToken = default) + { + Request req = CreateRunScanRequest(runId, scanLevel); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// Runs the scan. + /// The String to use. + /// The ScanLevelType to use. + /// The cancellation token to use. + public virtual Response RunScan(string runId, string scanLevel = null, CancellationToken cancellationToken = default) + { + Request req = CreateRunScanRequest(runId, scanLevel); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + /// The String to use. + /// The ScanLevelType to use. + private Request CreateRunScanRequest(string runId, string scanLevel = null) + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Put; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/datasources/", false); + uri.AppendPath(dataSourceName, true); + uri.AppendPath("/scans/", false); + uri.AppendPath(scanName, true); + uri.AppendPath("/runs/", false); + uri.AppendPath(runId, true); + if (scanLevel != null) + { + uri.AppendQuery("scanLevel", scanLevel, true); + } + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + return request; + } + + /// Cancels a scan. + /// The String to use. + /// The cancellation token to use. + public virtual async Task CancelScanAsync(string runId, CancellationToken cancellationToken = default) + { + Request req = CreateCancelScanRequest(runId); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// Cancels a scan. + /// The String to use. + /// The cancellation token to use. + public virtual Response CancelScan(string runId, CancellationToken cancellationToken = default) + { + Request req = CreateCancelScanRequest(runId); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + /// The String to use. + private Request CreateCancelScanRequest(string runId) + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Post; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/datasources/", false); + uri.AppendPath(dataSourceName, true); + uri.AppendPath("/scans/", false); + uri.AppendPath(scanName, true); + uri.AppendPath("/runs/", false); + uri.AppendPath(runId, true); + uri.AppendPath("/:cancel", false); + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + return request; + } + + /// Lists the scan history of a scan. + /// The cancellation token to use. + public virtual async Task GetRunsAsync(CancellationToken cancellationToken = default) + { + Request req = CreateGetRunsRequest(); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// Lists the scan history of a scan. + /// The cancellation token to use. + public virtual Response GetRuns(CancellationToken cancellationToken = default) + { + Request req = CreateGetRunsRequest(); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + private Request CreateGetRunsRequest() + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Get; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/datasources/", false); + uri.AppendPath(dataSourceName, true); + uri.AppendPath("/scans/", false); + uri.AppendPath(scanName, true); + uri.AppendPath("/runs", false); + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + return request; + } + + /// Gets trigger information. + /// The cancellation token to use. + public virtual async Task GetTriggerAsync(CancellationToken cancellationToken = default) + { + Request req = CreateGetTriggerRequest(); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// Gets trigger information. + /// The cancellation token to use. + public virtual Response GetTrigger(CancellationToken cancellationToken = default) + { + Request req = CreateGetTriggerRequest(); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + private Request CreateGetTriggerRequest() + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Get; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/datasources/", false); + uri.AppendPath(dataSourceName, true); + uri.AppendPath("/scans/", false); + uri.AppendPath(scanName, true); + uri.AppendPath("/triggers/default", false); + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + return request; + } + + /// Creates an instance of a trigger. + /// The request body. + /// The cancellation token to use. + public virtual async Task CreateOrUpdateTriggerAsync(RequestContent requestBody, CancellationToken cancellationToken = default) + { + Request req = CreateCreateOrUpdateTriggerRequest(requestBody); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// Creates an instance of a trigger. + /// The request body. + /// The cancellation token to use. + public virtual Response CreateOrUpdateTrigger(RequestContent requestBody, CancellationToken cancellationToken = default) + { + Request req = CreateCreateOrUpdateTriggerRequest(requestBody); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + /// The request body. + private Request CreateCreateOrUpdateTriggerRequest(RequestContent requestBody) + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Put; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/datasources/", false); + uri.AppendPath(dataSourceName, true); + uri.AppendPath("/scans/", false); + uri.AppendPath(scanName, true); + uri.AppendPath("/triggers/default", false); + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + request.Headers.Add("Content-Type", "application/json"); + request.Content = requestBody; + return request; + } + + /// Deletes the trigger associated with the scan. + /// The cancellation token to use. + public virtual async Task DeleteTriggerAsync(CancellationToken cancellationToken = default) + { + Request req = CreateDeleteTriggerRequest(); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// Deletes the trigger associated with the scan. + /// The cancellation token to use. + public virtual Response DeleteTrigger(CancellationToken cancellationToken = default) + { + Request req = CreateDeleteTriggerRequest(); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + private Request CreateDeleteTriggerRequest() + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Delete; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/datasources/", false); + uri.AppendPath(dataSourceName, true); + uri.AppendPath("/scans/", false); + uri.AppendPath(scanName, true); + uri.AppendPath("/triggers/default", false); + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + return request; + } + } +} diff --git a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewScanningServiceClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewScanningServiceClient.cs new file mode 100644 index 000000000000..81fc0b1fff7b --- /dev/null +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewScanningServiceClient.cs @@ -0,0 +1,613 @@ +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License. + +// + +#nullable disable + +using System; +using System.Threading; +using System.Threading.Tasks; +using Azure; +using Azure.Core; +using Azure.Core.Pipeline; + +#pragma warning disable AZC0007 + +namespace Azure.Analytics.Purview.Scanning +{ + /// The PurviewScanningService service client. + public partial class PurviewScanningServiceClient + { + /// The HTTP pipeline for sending and receiving REST requests and responses. + public virtual HttpPipeline Pipeline { get; } + private readonly string[] AuthorizationScopes = { "https://purview.azure.net/.default" }; + private Uri endpoint; + private readonly string apiVersion; + + /// Initializes a new instance of PurviewScanningServiceClient for mocking. + protected PurviewScanningServiceClient() + { + } + + /// Initializes a new instance of PurviewScanningServiceClient. + /// The scanning endpoint of your purview account. Example: https://{accountName}.scan.purview.azure.com. + /// A credential used to authenticate to an Azure Service. + /// The options for configuring the client. + public PurviewScanningServiceClient(Uri endpoint, TokenCredential credential, PurviewScanningServiceClientOptions options = null) + { + if (endpoint == null) + { + throw new ArgumentNullException(nameof(endpoint)); + } + if (credential == null) + { + throw new ArgumentNullException(nameof(credential)); + } + + options ??= new PurviewScanningServiceClientOptions(); + Pipeline = HttpPipelineBuilder.Build(options, new BearerTokenAuthenticationPolicy(credential, AuthorizationScopes)); + this.endpoint = endpoint; + apiVersion = options.Version; + } + + /// Gets azureKeyVault information. + /// The String to use. + /// The cancellation token to use. + public virtual async Task GetKeyVaultReferenceAsync(string azureKeyVaultName, CancellationToken cancellationToken = default) + { + Request req = CreateGetKeyVaultReferenceRequest(azureKeyVaultName); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// Gets azureKeyVault information. + /// The String to use. + /// The cancellation token to use. + public virtual Response GetKeyVaultReference(string azureKeyVaultName, CancellationToken cancellationToken = default) + { + Request req = CreateGetKeyVaultReferenceRequest(azureKeyVaultName); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + /// The String to use. + private Request CreateGetKeyVaultReferenceRequest(string azureKeyVaultName) + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Get; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/azureKeyVaults/", false); + uri.AppendPath(azureKeyVaultName, true); + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + return request; + } + + /// Creates an instance of a azureKeyVault. + /// The String to use. + /// The request body. + /// The cancellation token to use. + public virtual async Task CreateOrUpdateKeyVaultReferenceAsync(string azureKeyVaultName, RequestContent requestBody, CancellationToken cancellationToken = default) + { + Request req = CreateCreateOrUpdateKeyVaultReferenceRequest(azureKeyVaultName, requestBody); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// Creates an instance of a azureKeyVault. + /// The String to use. + /// The request body. + /// The cancellation token to use. + public virtual Response CreateOrUpdateKeyVaultReference(string azureKeyVaultName, RequestContent requestBody, CancellationToken cancellationToken = default) + { + Request req = CreateCreateOrUpdateKeyVaultReferenceRequest(azureKeyVaultName, requestBody); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + /// The String to use. + /// The request body. + private Request CreateCreateOrUpdateKeyVaultReferenceRequest(string azureKeyVaultName, RequestContent requestBody) + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Put; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/azureKeyVaults/", false); + uri.AppendPath(azureKeyVaultName, true); + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + request.Headers.Add("Content-Type", "application/json"); + request.Content = requestBody; + return request; + } + + /// Deletes the azureKeyVault associated with the account. + /// The String to use. + /// The cancellation token to use. + public virtual async Task DeleteKeyVaultReferenceAsync(string azureKeyVaultName, CancellationToken cancellationToken = default) + { + Request req = CreateDeleteKeyVaultReferenceRequest(azureKeyVaultName); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// Deletes the azureKeyVault associated with the account. + /// The String to use. + /// The cancellation token to use. + public virtual Response DeleteKeyVaultReference(string azureKeyVaultName, CancellationToken cancellationToken = default) + { + Request req = CreateDeleteKeyVaultReferenceRequest(azureKeyVaultName); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + /// The String to use. + private Request CreateDeleteKeyVaultReferenceRequest(string azureKeyVaultName) + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Delete; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/azureKeyVaults/", false); + uri.AppendPath(azureKeyVaultName, true); + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + return request; + } + + /// List azureKeyVaults in account. + /// The cancellation token to use. + public virtual async Task GetKeyVaultReferencesAsync(CancellationToken cancellationToken = default) + { + Request req = CreateGetKeyVaultReferencesRequest(); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// List azureKeyVaults in account. + /// The cancellation token to use. + public virtual Response GetKeyVaultReferences(CancellationToken cancellationToken = default) + { + Request req = CreateGetKeyVaultReferencesRequest(); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + private Request CreateGetKeyVaultReferencesRequest() + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Get; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/azureKeyVaults", false); + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + return request; + } + + /// List classification rules in Account. + /// The cancellation token to use. + public virtual async Task GetClassificationRulesAsync(CancellationToken cancellationToken = default) + { + Request req = CreateGetClassificationRulesRequest(); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// List classification rules in Account. + /// The cancellation token to use. + public virtual Response GetClassificationRules(CancellationToken cancellationToken = default) + { + Request req = CreateGetClassificationRulesRequest(); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + private Request CreateGetClassificationRulesRequest() + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Get; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/classificationrules", false); + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + return request; + } + + /// List data sources in Data catalog. + /// The cancellation token to use. + public virtual async Task GetDataSourcesAsync(CancellationToken cancellationToken = default) + { + Request req = CreateGetDataSourcesRequest(); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// List data sources in Data catalog. + /// The cancellation token to use. + public virtual Response GetDataSources(CancellationToken cancellationToken = default) + { + Request req = CreateGetDataSourcesRequest(); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + private Request CreateGetDataSourcesRequest() + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Get; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/datasources", false); + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + return request; + } + + /// Lists the data sources in the account that do not belong to any collection. + /// The cancellation token to use. + public virtual async Task GetUnparentedDataSourcesAsync(CancellationToken cancellationToken = default) + { + Request req = CreateGetUnparentedDataSourcesRequest(); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// Lists the data sources in the account that do not belong to any collection. + /// The cancellation token to use. + public virtual Response GetUnparentedDataSources(CancellationToken cancellationToken = default) + { + Request req = CreateGetUnparentedDataSourcesRequest(); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + private Request CreateGetUnparentedDataSourcesRequest() + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Get; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/listUnparentedDataSources", false); + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + return request; + } + + /// Get a scan ruleset. + /// The String to use. + /// The cancellation token to use. + public virtual async Task GetScanRulesetAsync(string scanRulesetName, CancellationToken cancellationToken = default) + { + Request req = CreateGetScanRulesetRequest(scanRulesetName); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// Get a scan ruleset. + /// The String to use. + /// The cancellation token to use. + public virtual Response GetScanRuleset(string scanRulesetName, CancellationToken cancellationToken = default) + { + Request req = CreateGetScanRulesetRequest(scanRulesetName); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + /// The String to use. + private Request CreateGetScanRulesetRequest(string scanRulesetName) + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Get; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/scanrulesets/", false); + uri.AppendPath(scanRulesetName, true); + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + return request; + } + + /// Creates or Updates a scan ruleset. + /// The String to use. + /// The request body. + /// The cancellation token to use. + public virtual async Task CreateOrUpdateScanRuelsetAsync(string scanRulesetName, RequestContent requestBody, CancellationToken cancellationToken = default) + { + Request req = CreateCreateOrUpdateScanRuelsetRequest(scanRulesetName, requestBody); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// Creates or Updates a scan ruleset. + /// The String to use. + /// The request body. + /// The cancellation token to use. + public virtual Response CreateOrUpdateScanRuelset(string scanRulesetName, RequestContent requestBody, CancellationToken cancellationToken = default) + { + Request req = CreateCreateOrUpdateScanRuelsetRequest(scanRulesetName, requestBody); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + /// The String to use. + /// The request body. + private Request CreateCreateOrUpdateScanRuelsetRequest(string scanRulesetName, RequestContent requestBody) + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Put; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/scanrulesets/", false); + uri.AppendPath(scanRulesetName, true); + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + request.Headers.Add("Content-Type", "application/json"); + request.Content = requestBody; + return request; + } + + /// Deletes a scan ruleset. + /// The String to use. + /// The cancellation token to use. + public virtual async Task DeleteScanRulesetAsync(string scanRulesetName, CancellationToken cancellationToken = default) + { + Request req = CreateDeleteScanRulesetRequest(scanRulesetName); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// Deletes a scan ruleset. + /// The String to use. + /// The cancellation token to use. + public virtual Response DeleteScanRuleset(string scanRulesetName, CancellationToken cancellationToken = default) + { + Request req = CreateDeleteScanRulesetRequest(scanRulesetName); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + /// The String to use. + private Request CreateDeleteScanRulesetRequest(string scanRulesetName) + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Delete; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/scanrulesets/", false); + uri.AppendPath(scanRulesetName, true); + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + return request; + } + + /// List scan rulesets in Data catalog. + /// The cancellation token to use. + public virtual async Task GetScanRulesetsAsync(CancellationToken cancellationToken = default) + { + Request req = CreateGetScanRulesetsRequest(); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// List scan rulesets in Data catalog. + /// The cancellation token to use. + public virtual Response GetScanRulesets(CancellationToken cancellationToken = default) + { + Request req = CreateGetScanRulesetsRequest(); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + private Request CreateGetScanRulesetsRequest() + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Get; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/scanrulesets", false); + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + return request; + } + + /// List all system scan rulesets for an account. + /// The cancellation token to use. + public virtual async Task GetSystemRulesetsAsync(CancellationToken cancellationToken = default) + { + Request req = CreateGetSystemRulesetsRequest(); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// List all system scan rulesets for an account. + /// The cancellation token to use. + public virtual Response GetSystemRulesets(CancellationToken cancellationToken = default) + { + Request req = CreateGetSystemRulesetsRequest(); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + private Request CreateGetSystemRulesetsRequest() + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Get; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/systemScanRulesets", false); + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + return request; + } + + /// Get a system scan ruleset for a data source. + /// The DataSourceType to use. + /// The cancellation token to use. + public virtual async Task GetSystemRulesetsForDataSourceAsync(string dataSourceType, CancellationToken cancellationToken = default) + { + Request req = CreateGetSystemRulesetsForDataSourceRequest(dataSourceType); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// Get a system scan ruleset for a data source. + /// The DataSourceType to use. + /// The cancellation token to use. + public virtual Response GetSystemRulesetsForDataSource(string dataSourceType, CancellationToken cancellationToken = default) + { + Request req = CreateGetSystemRulesetsForDataSourceRequest(dataSourceType); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + /// The DataSourceType to use. + private Request CreateGetSystemRulesetsForDataSourceRequest(string dataSourceType) + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Get; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/systemScanRulesets/datasources/", false); + uri.AppendPath(dataSourceType, true); + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + return request; + } + + /// Get a scan ruleset by version. + /// The Integer to use. + /// The DataSourceType to use. + /// The cancellation token to use. + public virtual async Task GetSystemRulesetsForVersionAsync(int version, string dataSourceType = null, CancellationToken cancellationToken = default) + { + Request req = CreateGetSystemRulesetsForVersionRequest(version, dataSourceType); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// Get a scan ruleset by version. + /// The Integer to use. + /// The DataSourceType to use. + /// The cancellation token to use. + public virtual Response GetSystemRulesetsForVersion(int version, string dataSourceType = null, CancellationToken cancellationToken = default) + { + Request req = CreateGetSystemRulesetsForVersionRequest(version, dataSourceType); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + /// The Integer to use. + /// The DataSourceType to use. + private Request CreateGetSystemRulesetsForVersionRequest(int version, string dataSourceType = null) + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Get; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/systemScanRulesets/versions/", false); + uri.AppendPath(version, true); + if (dataSourceType != null) + { + uri.AppendQuery("dataSourceType", dataSourceType, true); + } + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + return request; + } + + /// Get the latest version of a system scan ruleset. + /// The DataSourceType to use. + /// The cancellation token to use. + public virtual async Task GetLatestSystemRulestesAsync(string dataSourceType = null, CancellationToken cancellationToken = default) + { + Request req = CreateGetLatestSystemRulestesRequest(dataSourceType); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// Get the latest version of a system scan ruleset. + /// The DataSourceType to use. + /// The cancellation token to use. + public virtual Response GetLatestSystemRulestes(string dataSourceType = null, CancellationToken cancellationToken = default) + { + Request req = CreateGetLatestSystemRulestesRequest(dataSourceType); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + /// The DataSourceType to use. + private Request CreateGetLatestSystemRulestesRequest(string dataSourceType = null) + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Get; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/systemScanRulesets/versions/latest", false); + if (dataSourceType != null) + { + uri.AppendQuery("dataSourceType", dataSourceType, true); + } + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + return request; + } + + /// List system scan ruleset versions in Data catalog. + /// The DataSourceType to use. + /// The cancellation token to use. + public virtual async Task GetSystemRulesetsVersionsAsync(string dataSourceType = null, CancellationToken cancellationToken = default) + { + Request req = CreateGetSystemRulesetsVersionsRequest(dataSourceType); + return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); + } + + /// List system scan ruleset versions in Data catalog. + /// The DataSourceType to use. + /// The cancellation token to use. + public virtual Response GetSystemRulesetsVersions(string dataSourceType = null, CancellationToken cancellationToken = default) + { + Request req = CreateGetSystemRulesetsVersionsRequest(dataSourceType); + return Pipeline.SendRequest(req, cancellationToken); + } + + /// Create Request for and operations. + /// The DataSourceType to use. + private Request CreateGetSystemRulesetsVersionsRequest(string dataSourceType = null) + { + var message = Pipeline.CreateMessage(); + var request = message.Request; + request.Method = RequestMethod.Get; + var uri = new RawRequestUriBuilder(); + uri.Reset(endpoint); + uri.AppendPath("/systemScanRulesets/versions", false); + if (dataSourceType != null) + { + uri.AppendQuery("dataSourceType", dataSourceType, true); + } + uri.AppendQuery("api-version", apiVersion, true); + request.Uri = uri; + request.Headers.Add("Accept", "application/json"); + return request; + } + } +} diff --git a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ScanningClientOptions.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewScanningServiceClientOptions.cs similarity index 70% rename from sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ScanningClientOptions.cs rename to sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewScanningServiceClientOptions.cs index a91b334fe890..2662eb386d85 100644 --- a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ScanningClientOptions.cs +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewScanningServiceClientOptions.cs @@ -10,8 +10,8 @@ namespace Azure.Analytics.Purview.Scanning { - /// Client options for ScanningClient. - public partial class ScanningClientOptions : ClientOptions + /// Client options for PurviewScanningServiceClient. + public partial class PurviewScanningServiceClientOptions : ClientOptions { private const ServiceVersion LatestVersion = ServiceVersion.V2018_12_01_preview; @@ -24,8 +24,8 @@ public enum ServiceVersion internal string Version { get; } - /// Initializes new instance of ScanningClientOptions. - public ScanningClientOptions(ServiceVersion version = LatestVersion) + /// Initializes new instance of PurviewScanningServiceClientOptions. + public PurviewScanningServiceClientOptions(ServiceVersion version = LatestVersion) { Version = version switch { diff --git a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ScanRulesetsClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ScanRulesetsClient.cs deleted file mode 100644 index 03b386e933b7..000000000000 --- a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ScanRulesetsClient.cs +++ /dev/null @@ -1,195 +0,0 @@ -// Copyright (c) Microsoft Corporation. All rights reserved. -// Licensed under the MIT License. - -// - -#nullable disable - -using System; -using System.Threading; -using System.Threading.Tasks; -using Azure; -using Azure.Core; -using Azure.Core.Pipeline; - -#pragma warning disable AZC0007 - -namespace Azure.Analytics.Purview.Scanning -{ - /// The ScanRulesets service client. - public partial class ScanRulesetsClient - { - /// The HTTP pipeline for sending and receiving REST requests and responses. - public virtual HttpPipeline Pipeline { get; } - private readonly string[] AuthorizationScopes = { "https://purview.azure.net/.default" }; - private Uri endpoint; - private readonly string apiVersion; - - /// Initializes a new instance of ScanRulesetsClient for mocking. - protected ScanRulesetsClient() - { - } - - /// Initializes a new instance of ScanRulesetsClient. - /// The scanning endpoint of your purview account. Example: https://{accountName}.scan.purview.azure.com. - /// A credential used to authenticate to an Azure Service. - /// The options for configuring the client. - public ScanRulesetsClient(Uri endpoint, TokenCredential credential, ScanningClientOptions options = null) - { - if (endpoint == null) - { - throw new ArgumentNullException(nameof(endpoint)); - } - if (credential == null) - { - throw new ArgumentNullException(nameof(credential)); - } - - options ??= new ScanningClientOptions(); - Pipeline = HttpPipelineBuilder.Build(options, new BearerTokenAuthenticationPolicy(credential, AuthorizationScopes)); - this.endpoint = endpoint; - apiVersion = options.Version; - } - - /// Get a scan ruleset. - /// The String to use. - /// The cancellation token to use. - public virtual async Task GetAsync(string scanRulesetName, CancellationToken cancellationToken = default) - { - Request req = CreateGetRequest(scanRulesetName); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// Get a scan ruleset. - /// The String to use. - /// The cancellation token to use. - public virtual Response Get(string scanRulesetName, CancellationToken cancellationToken = default) - { - Request req = CreateGetRequest(scanRulesetName); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - /// The String to use. - private Request CreateGetRequest(string scanRulesetName) - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Get; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/scanrulesets/", false); - uri.AppendPath(scanRulesetName, true); - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - return request; - } - - /// Creates or Updates a scan ruleset. - /// The String to use. - /// The request body. - /// The cancellation token to use. - public virtual async Task CreateOrUpdateAsync(string scanRulesetName, RequestContent requestBody, CancellationToken cancellationToken = default) - { - Request req = CreateCreateOrUpdateRequest(scanRulesetName, requestBody); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// Creates or Updates a scan ruleset. - /// The String to use. - /// The request body. - /// The cancellation token to use. - public virtual Response CreateOrUpdate(string scanRulesetName, RequestContent requestBody, CancellationToken cancellationToken = default) - { - Request req = CreateCreateOrUpdateRequest(scanRulesetName, requestBody); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - /// The String to use. - /// The request body. - private Request CreateCreateOrUpdateRequest(string scanRulesetName, RequestContent requestBody) - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Put; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/scanrulesets/", false); - uri.AppendPath(scanRulesetName, true); - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - request.Headers.Add("Content-Type", "application/json"); - request.Content = requestBody; - return request; - } - - /// Deletes a scan ruleset. - /// The String to use. - /// The cancellation token to use. - public virtual async Task DeleteAsync(string scanRulesetName, CancellationToken cancellationToken = default) - { - Request req = CreateDeleteRequest(scanRulesetName); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// Deletes a scan ruleset. - /// The String to use. - /// The cancellation token to use. - public virtual Response Delete(string scanRulesetName, CancellationToken cancellationToken = default) - { - Request req = CreateDeleteRequest(scanRulesetName); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - /// The String to use. - private Request CreateDeleteRequest(string scanRulesetName) - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Delete; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/scanrulesets/", false); - uri.AppendPath(scanRulesetName, true); - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - return request; - } - - /// List scan rulesets in Data catalog. - /// The cancellation token to use. - public virtual async Task ListAllAsync(CancellationToken cancellationToken = default) - { - Request req = CreateListAllRequest(); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// List scan rulesets in Data catalog. - /// The cancellation token to use. - public virtual Response ListAll(CancellationToken cancellationToken = default) - { - Request req = CreateListAllRequest(); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - private Request CreateListAllRequest() - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Get; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/scanrulesets", false); - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - return request; - } - } -} diff --git a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ScansClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ScansClient.cs deleted file mode 100644 index 0b9fcc1151b1..000000000000 --- a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/ScansClient.cs +++ /dev/null @@ -1,354 +0,0 @@ -// Copyright (c) Microsoft Corporation. All rights reserved. -// Licensed under the MIT License. - -// - -#nullable disable - -using System; -using System.Threading; -using System.Threading.Tasks; -using Azure; -using Azure.Core; -using Azure.Core.Pipeline; - -#pragma warning disable AZC0007 - -namespace Azure.Analytics.Purview.Scanning -{ - /// The Scans service client. - public partial class ScansClient - { - /// The HTTP pipeline for sending and receiving REST requests and responses. - public virtual HttpPipeline Pipeline { get; } - private readonly string[] AuthorizationScopes = { "https://purview.azure.net/.default" }; - private Uri endpoint; - private readonly string apiVersion; - - /// Initializes a new instance of ScansClient for mocking. - protected ScansClient() - { - } - - /// Initializes a new instance of ScansClient. - /// The scanning endpoint of your purview account. Example: https://{accountName}.scan.purview.azure.com. - /// A credential used to authenticate to an Azure Service. - /// The options for configuring the client. - public ScansClient(Uri endpoint, TokenCredential credential, ScanningClientOptions options = null) - { - if (endpoint == null) - { - throw new ArgumentNullException(nameof(endpoint)); - } - if (credential == null) - { - throw new ArgumentNullException(nameof(credential)); - } - - options ??= new ScanningClientOptions(); - Pipeline = HttpPipelineBuilder.Build(options, new BearerTokenAuthenticationPolicy(credential, AuthorizationScopes)); - this.endpoint = endpoint; - apiVersion = options.Version; - } - - /// Creates an instance of a scan. - /// The String to use. - /// The String to use. - /// The request body. - /// The cancellation token to use. - public virtual async Task CreateOrUpdateAsync(string dataSourceName, string scanName, RequestContent requestBody, CancellationToken cancellationToken = default) - { - Request req = CreateCreateOrUpdateRequest(dataSourceName, scanName, requestBody); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// Creates an instance of a scan. - /// The String to use. - /// The String to use. - /// The request body. - /// The cancellation token to use. - public virtual Response CreateOrUpdate(string dataSourceName, string scanName, RequestContent requestBody, CancellationToken cancellationToken = default) - { - Request req = CreateCreateOrUpdateRequest(dataSourceName, scanName, requestBody); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - /// The String to use. - /// The String to use. - /// The request body. - private Request CreateCreateOrUpdateRequest(string dataSourceName, string scanName, RequestContent requestBody) - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Put; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/datasources/", false); - uri.AppendPath(dataSourceName, true); - uri.AppendPath("/scans/", false); - uri.AppendPath(scanName, true); - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - request.Headers.Add("Content-Type", "application/json"); - request.Content = requestBody; - return request; - } - - /// Gets a scan information. - /// The String to use. - /// The String to use. - /// The cancellation token to use. - public virtual async Task GetAsync(string dataSourceName, string scanName, CancellationToken cancellationToken = default) - { - Request req = CreateGetRequest(dataSourceName, scanName); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// Gets a scan information. - /// The String to use. - /// The String to use. - /// The cancellation token to use. - public virtual Response Get(string dataSourceName, string scanName, CancellationToken cancellationToken = default) - { - Request req = CreateGetRequest(dataSourceName, scanName); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - /// The String to use. - /// The String to use. - private Request CreateGetRequest(string dataSourceName, string scanName) - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Get; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/datasources/", false); - uri.AppendPath(dataSourceName, true); - uri.AppendPath("/scans/", false); - uri.AppendPath(scanName, true); - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - return request; - } - - /// Deletes the scan associated with the data source. - /// The String to use. - /// The String to use. - /// The cancellation token to use. - public virtual async Task DeleteAsync(string dataSourceName, string scanName, CancellationToken cancellationToken = default) - { - Request req = CreateDeleteRequest(dataSourceName, scanName); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// Deletes the scan associated with the data source. - /// The String to use. - /// The String to use. - /// The cancellation token to use. - public virtual Response Delete(string dataSourceName, string scanName, CancellationToken cancellationToken = default) - { - Request req = CreateDeleteRequest(dataSourceName, scanName); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - /// The String to use. - /// The String to use. - private Request CreateDeleteRequest(string dataSourceName, string scanName) - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Delete; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/datasources/", false); - uri.AppendPath(dataSourceName, true); - uri.AppendPath("/scans/", false); - uri.AppendPath(scanName, true); - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - return request; - } - - /// List scans in data source. - /// The String to use. - /// The cancellation token to use. - public virtual async Task ListByDataSourceAsync(string dataSourceName, CancellationToken cancellationToken = default) - { - Request req = CreateListByDataSourceRequest(dataSourceName); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// List scans in data source. - /// The String to use. - /// The cancellation token to use. - public virtual Response ListByDataSource(string dataSourceName, CancellationToken cancellationToken = default) - { - Request req = CreateListByDataSourceRequest(dataSourceName); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - /// The String to use. - private Request CreateListByDataSourceRequest(string dataSourceName) - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Get; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/datasources/", false); - uri.AppendPath(dataSourceName, true); - uri.AppendPath("/scans", false); - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - return request; - } - - /// Runs the scan. - /// The String to use. - /// The String to use. - /// The String to use. - /// The ScanLevelType to use. - /// The cancellation token to use. - public virtual async Task RunScanAsync(string dataSourceName, string scanName, string runId, string scanLevel = null, CancellationToken cancellationToken = default) - { - Request req = CreateRunScanRequest(dataSourceName, scanName, runId, scanLevel); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// Runs the scan. - /// The String to use. - /// The String to use. - /// The String to use. - /// The ScanLevelType to use. - /// The cancellation token to use. - public virtual Response RunScan(string dataSourceName, string scanName, string runId, string scanLevel = null, CancellationToken cancellationToken = default) - { - Request req = CreateRunScanRequest(dataSourceName, scanName, runId, scanLevel); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - /// The String to use. - /// The String to use. - /// The String to use. - /// The ScanLevelType to use. - private Request CreateRunScanRequest(string dataSourceName, string scanName, string runId, string scanLevel = null) - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Put; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/datasources/", false); - uri.AppendPath(dataSourceName, true); - uri.AppendPath("/scans/", false); - uri.AppendPath(scanName, true); - uri.AppendPath("/runs/", false); - uri.AppendPath(runId, true); - if (scanLevel != null) - { - uri.AppendQuery("scanLevel", scanLevel, true); - } - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - return request; - } - - /// Cancels a scan. - /// The String to use. - /// The String to use. - /// The String to use. - /// The cancellation token to use. - public virtual async Task CancelScanAsync(string dataSourceName, string scanName, string runId, CancellationToken cancellationToken = default) - { - Request req = CreateCancelScanRequest(dataSourceName, scanName, runId); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// Cancels a scan. - /// The String to use. - /// The String to use. - /// The String to use. - /// The cancellation token to use. - public virtual Response CancelScan(string dataSourceName, string scanName, string runId, CancellationToken cancellationToken = default) - { - Request req = CreateCancelScanRequest(dataSourceName, scanName, runId); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - /// The String to use. - /// The String to use. - /// The String to use. - private Request CreateCancelScanRequest(string dataSourceName, string scanName, string runId) - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Post; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/datasources/", false); - uri.AppendPath(dataSourceName, true); - uri.AppendPath("/scans/", false); - uri.AppendPath(scanName, true); - uri.AppendPath("/runs/", false); - uri.AppendPath(runId, true); - uri.AppendPath("/:cancel", false); - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - return request; - } - - /// Lists the scan history of a scan. - /// The String to use. - /// The String to use. - /// The cancellation token to use. - public virtual async Task ListScanHistoryAsync(string dataSourceName, string scanName, CancellationToken cancellationToken = default) - { - Request req = CreateListScanHistoryRequest(dataSourceName, scanName); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// Lists the scan history of a scan. - /// The String to use. - /// The String to use. - /// The cancellation token to use. - public virtual Response ListScanHistory(string dataSourceName, string scanName, CancellationToken cancellationToken = default) - { - Request req = CreateListScanHistoryRequest(dataSourceName, scanName); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - /// The String to use. - /// The String to use. - private Request CreateListScanHistoryRequest(string dataSourceName, string scanName) - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Get; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/datasources/", false); - uri.AppendPath(dataSourceName, true); - uri.AppendPath("/scans/", false); - uri.AppendPath(scanName, true); - uri.AppendPath("/runs", false); - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - return request; - } - } -} diff --git a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/SystemScanRulesetsClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/SystemScanRulesetsClient.cs deleted file mode 100644 index c9eec7fe44b7..000000000000 --- a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/SystemScanRulesetsClient.cs +++ /dev/null @@ -1,238 +0,0 @@ -// Copyright (c) Microsoft Corporation. All rights reserved. -// Licensed under the MIT License. - -// - -#nullable disable - -using System; -using System.Threading; -using System.Threading.Tasks; -using Azure; -using Azure.Core; -using Azure.Core.Pipeline; - -#pragma warning disable AZC0007 - -namespace Azure.Analytics.Purview.Scanning -{ - /// The SystemScanRulesets service client. - public partial class SystemScanRulesetsClient - { - /// The HTTP pipeline for sending and receiving REST requests and responses. - public virtual HttpPipeline Pipeline { get; } - private readonly string[] AuthorizationScopes = { "https://purview.azure.net/.default" }; - private Uri endpoint; - private readonly string apiVersion; - - /// Initializes a new instance of SystemScanRulesetsClient for mocking. - protected SystemScanRulesetsClient() - { - } - - /// Initializes a new instance of SystemScanRulesetsClient. - /// The scanning endpoint of your purview account. Example: https://{accountName}.scan.purview.azure.com. - /// A credential used to authenticate to an Azure Service. - /// The options for configuring the client. - public SystemScanRulesetsClient(Uri endpoint, TokenCredential credential, ScanningClientOptions options = null) - { - if (endpoint == null) - { - throw new ArgumentNullException(nameof(endpoint)); - } - if (credential == null) - { - throw new ArgumentNullException(nameof(credential)); - } - - options ??= new ScanningClientOptions(); - Pipeline = HttpPipelineBuilder.Build(options, new BearerTokenAuthenticationPolicy(credential, AuthorizationScopes)); - this.endpoint = endpoint; - apiVersion = options.Version; - } - - /// List all system scan rulesets for an account. - /// The cancellation token to use. - public virtual async Task ListAllAsync(CancellationToken cancellationToken = default) - { - Request req = CreateListAllRequest(); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// List all system scan rulesets for an account. - /// The cancellation token to use. - public virtual Response ListAll(CancellationToken cancellationToken = default) - { - Request req = CreateListAllRequest(); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - private Request CreateListAllRequest() - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Get; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/systemScanRulesets", false); - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - return request; - } - - /// Get a system scan ruleset for a data source. - /// The DataSourceType to use. - /// The cancellation token to use. - public virtual async Task GetAsync(string dataSourceType, CancellationToken cancellationToken = default) - { - Request req = CreateGetRequest(dataSourceType); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// Get a system scan ruleset for a data source. - /// The DataSourceType to use. - /// The cancellation token to use. - public virtual Response Get(string dataSourceType, CancellationToken cancellationToken = default) - { - Request req = CreateGetRequest(dataSourceType); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - /// The DataSourceType to use. - private Request CreateGetRequest(string dataSourceType) - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Get; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/systemScanRulesets/datasources/", false); - uri.AppendPath(dataSourceType, true); - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - return request; - } - - /// Get a scan ruleset by version. - /// The Integer to use. - /// The DataSourceType to use. - /// The cancellation token to use. - public virtual async Task GetByVersionAsync(int version, string dataSourceType = null, CancellationToken cancellationToken = default) - { - Request req = CreateGetByVersionRequest(version, dataSourceType); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// Get a scan ruleset by version. - /// The Integer to use. - /// The DataSourceType to use. - /// The cancellation token to use. - public virtual Response GetByVersion(int version, string dataSourceType = null, CancellationToken cancellationToken = default) - { - Request req = CreateGetByVersionRequest(version, dataSourceType); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - /// The Integer to use. - /// The DataSourceType to use. - private Request CreateGetByVersionRequest(int version, string dataSourceType = null) - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Get; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/systemScanRulesets/versions/", false); - uri.AppendPath(version, true); - if (dataSourceType != null) - { - uri.AppendQuery("dataSourceType", dataSourceType, true); - } - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - return request; - } - - /// Get the latest version of a system scan ruleset. - /// The DataSourceType to use. - /// The cancellation token to use. - public virtual async Task GetLatestAsync(string dataSourceType = null, CancellationToken cancellationToken = default) - { - Request req = CreateGetLatestRequest(dataSourceType); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// Get the latest version of a system scan ruleset. - /// The DataSourceType to use. - /// The cancellation token to use. - public virtual Response GetLatest(string dataSourceType = null, CancellationToken cancellationToken = default) - { - Request req = CreateGetLatestRequest(dataSourceType); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - /// The DataSourceType to use. - private Request CreateGetLatestRequest(string dataSourceType = null) - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Get; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/systemScanRulesets/versions/latest", false); - if (dataSourceType != null) - { - uri.AppendQuery("dataSourceType", dataSourceType, true); - } - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - return request; - } - - /// List system scan ruleset versions in Data catalog. - /// The DataSourceType to use. - /// The cancellation token to use. - public virtual async Task ListVersionsByDataSourceAsync(string dataSourceType = null, CancellationToken cancellationToken = default) - { - Request req = CreateListVersionsByDataSourceRequest(dataSourceType); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// List system scan ruleset versions in Data catalog. - /// The DataSourceType to use. - /// The cancellation token to use. - public virtual Response ListVersionsByDataSource(string dataSourceType = null, CancellationToken cancellationToken = default) - { - Request req = CreateListVersionsByDataSourceRequest(dataSourceType); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - /// The DataSourceType to use. - private Request CreateListVersionsByDataSourceRequest(string dataSourceType = null) - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Get; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/systemScanRulesets/versions", false); - if (dataSourceType != null) - { - uri.AppendQuery("dataSourceType", dataSourceType, true); - } - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - return request; - } - } -} diff --git a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/TriggersClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/TriggersClient.cs deleted file mode 100644 index 1d443c45e3e4..000000000000 --- a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/TriggersClient.cs +++ /dev/null @@ -1,182 +0,0 @@ -// Copyright (c) Microsoft Corporation. All rights reserved. -// Licensed under the MIT License. - -// - -#nullable disable - -using System; -using System.Threading; -using System.Threading.Tasks; -using Azure; -using Azure.Core; -using Azure.Core.Pipeline; - -#pragma warning disable AZC0007 - -namespace Azure.Analytics.Purview.Scanning -{ - /// The Triggers service client. - public partial class TriggersClient - { - /// The HTTP pipeline for sending and receiving REST requests and responses. - public virtual HttpPipeline Pipeline { get; } - private readonly string[] AuthorizationScopes = { "https://purview.azure.net/.default" }; - private Uri endpoint; - private readonly string apiVersion; - - /// Initializes a new instance of TriggersClient for mocking. - protected TriggersClient() - { - } - - /// Initializes a new instance of TriggersClient. - /// The scanning endpoint of your purview account. Example: https://{accountName}.scan.purview.azure.com. - /// A credential used to authenticate to an Azure Service. - /// The options for configuring the client. - public TriggersClient(Uri endpoint, TokenCredential credential, ScanningClientOptions options = null) - { - if (endpoint == null) - { - throw new ArgumentNullException(nameof(endpoint)); - } - if (credential == null) - { - throw new ArgumentNullException(nameof(credential)); - } - - options ??= new ScanningClientOptions(); - Pipeline = HttpPipelineBuilder.Build(options, new BearerTokenAuthenticationPolicy(credential, AuthorizationScopes)); - this.endpoint = endpoint; - apiVersion = options.Version; - } - - /// Gets trigger information. - /// The String to use. - /// The String to use. - /// The cancellation token to use. - public virtual async Task GetTriggerAsync(string dataSourceName, string scanName, CancellationToken cancellationToken = default) - { - Request req = CreateGetTriggerRequest(dataSourceName, scanName); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// Gets trigger information. - /// The String to use. - /// The String to use. - /// The cancellation token to use. - public virtual Response GetTrigger(string dataSourceName, string scanName, CancellationToken cancellationToken = default) - { - Request req = CreateGetTriggerRequest(dataSourceName, scanName); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - /// The String to use. - /// The String to use. - private Request CreateGetTriggerRequest(string dataSourceName, string scanName) - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Get; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/datasources/", false); - uri.AppendPath(dataSourceName, true); - uri.AppendPath("/scans/", false); - uri.AppendPath(scanName, true); - uri.AppendPath("/triggers/default", false); - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - return request; - } - - /// Creates an instance of a trigger. - /// The String to use. - /// The String to use. - /// The request body. - /// The cancellation token to use. - public virtual async Task CreateTriggerAsync(string dataSourceName, string scanName, RequestContent requestBody, CancellationToken cancellationToken = default) - { - Request req = CreateCreateTriggerRequest(dataSourceName, scanName, requestBody); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// Creates an instance of a trigger. - /// The String to use. - /// The String to use. - /// The request body. - /// The cancellation token to use. - public virtual Response CreateTrigger(string dataSourceName, string scanName, RequestContent requestBody, CancellationToken cancellationToken = default) - { - Request req = CreateCreateTriggerRequest(dataSourceName, scanName, requestBody); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - /// The String to use. - /// The String to use. - /// The request body. - private Request CreateCreateTriggerRequest(string dataSourceName, string scanName, RequestContent requestBody) - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Put; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/datasources/", false); - uri.AppendPath(dataSourceName, true); - uri.AppendPath("/scans/", false); - uri.AppendPath(scanName, true); - uri.AppendPath("/triggers/default", false); - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - request.Headers.Add("Content-Type", "application/json"); - request.Content = requestBody; - return request; - } - - /// Deletes the trigger associated with the scan. - /// The String to use. - /// The String to use. - /// The cancellation token to use. - public virtual async Task DeleteTriggerAsync(string dataSourceName, string scanName, CancellationToken cancellationToken = default) - { - Request req = CreateDeleteTriggerRequest(dataSourceName, scanName); - return await Pipeline.SendRequestAsync(req, cancellationToken).ConfigureAwait(false); - } - - /// Deletes the trigger associated with the scan. - /// The String to use. - /// The String to use. - /// The cancellation token to use. - public virtual Response DeleteTrigger(string dataSourceName, string scanName, CancellationToken cancellationToken = default) - { - Request req = CreateDeleteTriggerRequest(dataSourceName, scanName); - return Pipeline.SendRequest(req, cancellationToken); - } - - /// Create Request for and operations. - /// The String to use. - /// The String to use. - private Request CreateDeleteTriggerRequest(string dataSourceName, string scanName) - { - var message = Pipeline.CreateMessage(); - var request = message.Request; - request.Method = RequestMethod.Delete; - var uri = new RawRequestUriBuilder(); - uri.Reset(endpoint); - uri.AppendPath("/datasources/", false); - uri.AppendPath(dataSourceName, true); - uri.AppendPath("/scans/", false); - uri.AppendPath(scanName, true); - uri.AppendPath("/triggers/default", false); - uri.AppendQuery("api-version", apiVersion, true); - request.Uri = uri; - request.Headers.Add("Accept", "application/json"); - return request; - } - } -} diff --git a/sdk/purview/Azure.Analytics.Purview.Scanning/src/autorest.md b/sdk/purview/Azure.Analytics.Purview.Scanning/src/autorest.md index 36ff145b61c0..5b25f352e33a 100644 --- a/sdk/purview/Azure.Analytics.Purview.Scanning/src/autorest.md +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/autorest.md @@ -3,7 +3,7 @@ Run `dotnet build /t:GenerateCode` to generate code. ```yaml -title: Scanning +title: PurviewScanningService input-file: https://github.com/Azure/azure-rest-api-specs/blob/8478d2280c54d0065ac6271e39321849c090c659/specification/purview/data-plane/Azure.Data.Purview.Scanning/preview/2018-12-01-preview/scanningService.json namespace: Azure.Analytics.Purview.Scanning low-level-client: true @@ -20,7 +20,101 @@ directive: - from: swagger-document where: $.parameters.Endpoint transform: > - if ($.format === undefined) { - $.format = "url"; - } + $.format = "url"; +``` + +# Promote Parameters to clients + +```yaml +directive: + - from: swagger-document + where: $.parameters + transform: > + $["dataSourceName"] = { + "in": "path", + "name": "dataSourceName", + "required": true, + "type": "string", + "x-ms-parameter-location": "client" + }; + $["scanName"] = { + "in": "path", + "name": "scanName", + "required": true, + "type": "string", + "x-ms-parameter-location": "client" + }; + $["classificationRuleName"] = { + "in": "path", + "name": "classificationRuleName", + "required": true, + "type": "string", + "x-ms-parameter-location": "client" + }; + + - from: swagger-document + where: $.paths..parameters[?(@.name=='dataSourceName')] + transform: > + $ = { "$ref": "#/parameters/dataSourceName" }; + + - from: swagger-document + where: $.paths..parameters[?(@.name=='scanName')] + transform: > + $ = { "$ref": "#/parameters/scanName" }; + + - from: swagger-document + where: $.paths..parameters[?(@.name=='classificationRuleName')] + transform: > + $ = { "$ref": "#/parameters/classificationRuleName" }; + +``` + +# Adopt Client Factoring + +```yaml +directive: + - from: swagger-document + where: $..[?(@.operationId !== undefined)] + transform: > + const mappingTable = { + "AzureKeyVaults_GetAzureKeyVault": "GetKeyVaultReference", + "AzureKeyVaults_CreateAzureKeyVault": "CreateOrUpdateKeyVaultReference", + "AzureKeyVaults_DeleteAzureKeyVault": "DeleteKeyVaultReference", + "AzureKeyVaults_ListByAccount": "GetKeyVaultReferences", + "ClassificationRules_Get": "PurviewClassificationRule_GetProperties", + "ClassificationRules_CreateOrUpdate": "PurviewClassificationRule_CreateOrUpdate", + "ClassificationRules_Delete": "PurviewClassificationRule_Delete", + "ClassificationRules_ListAll": "GetClassificationRules", + "ClassificationRules_ListVersionsByClassificationRuleName": "PurviewClassificationRule_GetVersions", + "ClassificationRules_TagClassificationVersion": "PurviewClassificationRule_TagVersion", + "DataSources_CreateOrUpdate": "PurviewDataSource_CreateOrUpdate", + "DataSources_Get": "PurviewDataSource_GetProperties", + "DataSources_Delete": "PurviewDataSource_Delete", + "DataSources_ListByAccount": "GetDataSources", + "DataSources_ListChildrenByCollection": "PurviewDataSource_GetChildren", + "DataSource_ListUnparentedDataSourcesByAccount": "GetUnparentedDataSources", + "Filters_Get": "PurviewScan_GetFilter", + "Filters_CreateOrUpdate": "PurviewScan_CreateOrUpdateFilter", + "Scans_CreateOrUpdate": "PurviewScan_CreateOrUpdate", + "Scans_Get": "PurviewScan_GetProperties", + "Scans_Delete": "PurviewScan_Delete", + "Scans_ListByDataSource": "PurviewDataSource_GetScans", + "Scans_RunScan": "PurviewScan_RunScan", + "Scans_CancelScan": "PurviewScan_CancelScan", + "Scans_ListScanHistory": "PurviewScan_GetRuns", + "ScanRulesets_Get": "GetScanRuleset", + "ScanRulesets_CreateOrUpdate": "CreateOrUpdateScanRuelset", + "ScanRulesets_Delete": "DeleteScanRuleset", + "ScanRulesets_ListAll": "GetScanRulesets", + "SystemScanRulesets_ListAll": "GetSystemRulesets", + "SystemScanRulesets_Get": "GetSystemRulesetsForDataSource", + "SystemScanRulesets_GetByVersion": "GetSystemRulesetsForVersion", + "SystemScanRulesets_GetLatest": "GetLatestSystemRulestes", + "SystemScanRulesets_ListVersionsByDataSource": "GetSystemRulesetsVersions", + "Triggers_GetTrigger": "PurviewScan_GetTrigger", + "Triggers_CreateTrigger": "PurviewScan_CreateOrUpdateTrigger", + "Triggers_DeleteTrigger": "PurviewScan_DeleteTrigger", + }; + + $.operationId = (mappingTable[$.operationId] ?? $.operationId); ``` \ No newline at end of file diff --git a/sdk/purview/Azure.Analytics.Purview.Scanning/tests/Azure.Analytics.Purview.Scanning.Tests.csproj b/sdk/purview/Azure.Analytics.Purview.Scanning/tests/Azure.Analytics.Purview.Scanning.Tests.csproj index 160bf9a27214..8a496f63f7bd 100644 --- a/sdk/purview/Azure.Analytics.Purview.Scanning/tests/Azure.Analytics.Purview.Scanning.Tests.csproj +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/tests/Azure.Analytics.Purview.Scanning.Tests.csproj @@ -12,6 +12,6 @@ - + From 40ac18e78442d223b96ae4fdf616deec7fc89f21 Mon Sep 17 00:00:00 2001 From: Wes Haggard Date: Mon, 3 May 2021 17:43:30 -0700 Subject: [PATCH 28/37] Fix broken CODEOWNERS entry --- .github/CODEOWNERS | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/CODEOWNERS b/.github/CODEOWNERS index e5b5e994ab6d..ac27fab49d91 100644 --- a/.github/CODEOWNERS +++ b/.github/CODEOWNERS @@ -74,7 +74,7 @@ # ServiceLabel: %Attestation %Service Attention /sdk/attestation/ @anilba06 @larryosterman -/sdk/attestation/azure-security-attestation @azure/ @larryosterman @Azure/azure-sdk-write-attestation @anilba06 +/sdk/attestation/azure-security-attestation @larryosterman @Azure/azure-sdk-write-attestation @anilba06 # ServiceLabel: %Authorization %Service Attention /sdk/authorization/Microsoft.Azure.Management.Authorization/ @darshanhs90 @AshishGargMicrosoft From 82c7aff5ef867f7a3d77f5ac43a0b1c5576996e6 Mon Sep 17 00:00:00 2001 From: Sam Cheung Date: Mon, 3 May 2021 20:42:31 -0700 Subject: [PATCH 29/37] Remove subscription id since it is not needed in test-resources.json (#20797) * Remove subscription id since it is not needed in test-resources.json --- sdk/communication/test-resources.json | 4 ---- 1 file changed, 4 deletions(-) diff --git a/sdk/communication/test-resources.json b/sdk/communication/test-resources.json index 3efb4c5864ff..2481f09ec864 100644 --- a/sdk/communication/test-resources.json +++ b/sdk/communication/test-resources.json @@ -13,10 +13,6 @@ "defaultValue": "communication", "type": "string" }, - "subscriptionId": { - "defaultValue": "[subscription().subscriptionId]", - "type": "string" - }, "testApplicationOid": { "type": "string", "metadata": { From 4ac1a476c0c82a07726481196ceb3a6d8a1744e3 Mon Sep 17 00:00:00 2001 From: Christopher Scott Date: Tue, 4 May 2021 08:29:00 -0500 Subject: [PATCH 30/37] Renames, Delete swallows 404s, Add StringFormatter overloads to Query methods (#20786) * renames * catch 404s * string format overloads for Query methods --- sdk/tables/Azure.Data.Tables/README.md | 2 +- .../api/Azure.Data.Tables.netstandard2.0.cs | 96 ++++--- .../samples/Sample3QueryTables.md | 2 +- .../TableClientBuilderExtensions.cs | 14 +- .../Models/TableAccessPolicy.Serialization.cs | 22 +- .../src/Generated/Models/TableAccessPolicy.cs | 2 +- ...eAnalyticsLoggingSettings.Serialization.cs | 5 +- .../Models/TableAnalyticsLoggingSettings.cs | 5 +- .../Models/TableMetrics.Serialization.cs | 5 +- .../src/Generated/Models/TableMetrics.cs | 6 +- ... => TableRetentionPolicy.Serialization.cs} | 8 +- ...ntionPolicy.cs => TableRetentionPolicy.cs} | 12 +- ...=> TableSignedIdentifier.Serialization.cs} | 9 +- ...Identifier.cs => TableSignedIdentifier.cs} | 9 +- .../src/Generated/TableRestClient.cs | 22 +- .../Azure.Data.Tables/src/ITableEntity.cs | 9 +- .../src/Sas/TableSasBuilder.cs | 8 +- .../src/TableAccessPolicy.cs | 4 +- .../Azure.Data.Tables/src/TableClient.cs | 145 ++++++---- .../src/TableEntity.Dictionary.cs | 12 +- .../Azure.Data.Tables/src/TableErrorCode.cs | 20 +- sdk/tables/Azure.Data.Tables/src/TableItem.cs | 3 + .../Azure.Data.Tables/src/TableOdataFilter.cs | 4 +- .../src/TableRetentionPolicy.cs | 11 + .../src/TableServiceClient.cs | 195 ++++++++++--- .../src/TableSignedIdentifier.cs | 11 + ...lientOptions.cs => TablesClientOptions.cs} | 8 +- .../src/TablesModelFactory.cs | 21 -- .../tests/ExtractFailureContentTests.cs | 2 +- .../EntityDeleteRespectsEtag.json | 225 ++++++++------- .../EntityDeleteRespectsEtagAsync.json | 225 ++++++++------- .../ValidateCreateDeleteTable.json | 127 +++++---- .../ValidateCreateDeleteTableAsync.json | 127 +++++---- .../EntityDeleteRespectsEtag.json | 258 ++++++++++-------- .../EntityDeleteRespectsEtagAsync.json | 258 ++++++++++-------- .../ValidateCreateDeleteTable.json | 148 ++++++---- .../ValidateCreateDeleteTableAsync.json | 148 ++++++---- .../tests/TableClientLiveTests.cs | 97 +++---- .../tests/TableClientTests.cs | 8 +- .../tests/TableServiceClientLiveTests.cs | 18 +- .../tests/TableServiceLiveTestsBase.cs | 2 +- .../perf/Infrastructure/TablesPerfTest.cs | 2 +- .../tests/samples/Sample3_QueryTables.cs | 2 +- .../tests/samples/Sample3_QueryTablesAsync.cs | 2 +- 44 files changed, 1399 insertions(+), 920 deletions(-) rename sdk/tables/Azure.Data.Tables/src/Generated/Models/{RetentionPolicy.Serialization.cs => TableRetentionPolicy.Serialization.cs} (81%) rename sdk/tables/Azure.Data.Tables/src/Generated/Models/{RetentionPolicy.cs => TableRetentionPolicy.cs} (75%) rename sdk/tables/Azure.Data.Tables/src/Generated/Models/{SignedIdentifier.Serialization.cs => TableSignedIdentifier.Serialization.cs} (78%) rename sdk/tables/Azure.Data.Tables/src/Generated/Models/{SignedIdentifier.cs => TableSignedIdentifier.cs} (78%) create mode 100644 sdk/tables/Azure.Data.Tables/src/TableRetentionPolicy.cs create mode 100644 sdk/tables/Azure.Data.Tables/src/TableSignedIdentifier.cs rename sdk/tables/Azure.Data.Tables/src/{TableClientOptions.cs => TablesClientOptions.cs} (82%) delete mode 100644 sdk/tables/Azure.Data.Tables/src/TablesModelFactory.cs diff --git a/sdk/tables/Azure.Data.Tables/README.md b/sdk/tables/Azure.Data.Tables/README.md index 29442e501ee4..255d6f4f0af8 100644 --- a/sdk/tables/Azure.Data.Tables/README.md +++ b/sdk/tables/Azure.Data.Tables/README.md @@ -119,7 +119,7 @@ The set of existing Azure tables can be queries using an OData filter. ```C# Snippet:TablesSample3QueryTables // Use the to query the service. Passing in OData filter strings is optional. -Pageable queryTableResults = serviceClient.GetTables(filter: $"TableName eq '{tableName}'"); +Pageable queryTableResults = serviceClient.Query(filter: $"TableName eq '{tableName}'"); Console.WriteLine("The following are the names of the tables in the query results:"); diff --git a/sdk/tables/Azure.Data.Tables/api/Azure.Data.Tables.netstandard2.0.cs b/sdk/tables/Azure.Data.Tables/api/Azure.Data.Tables.netstandard2.0.cs index 12ed68a0e686..c09b393deb38 100644 --- a/sdk/tables/Azure.Data.Tables/api/Azure.Data.Tables.netstandard2.0.cs +++ b/sdk/tables/Azure.Data.Tables/api/Azure.Data.Tables.netstandard2.0.cs @@ -5,17 +5,17 @@ public partial interface ITableEntity Azure.ETag ETag { get; set; } string PartitionKey { get; set; } string RowKey { get; set; } - System.DateTimeOffset? Timestamp { get; set; } + System.DateTimeOffset? Timestamp { get; } } public partial class TableClient { protected TableClient() { } public TableClient(string connectionString, string tableName) { } - public TableClient(string connectionString, string tableName, Azure.Data.Tables.TableClientOptions options = null) { } - public TableClient(System.Uri endpoint, Azure.AzureSasCredential credential, Azure.Data.Tables.TableClientOptions options = null) { } - public TableClient(System.Uri endpoint, Azure.Data.Tables.TableClientOptions options = null) { } + public TableClient(string connectionString, string tableName, Azure.Data.Tables.TablesClientOptions options = null) { } + public TableClient(System.Uri endpoint, Azure.AzureSasCredential credential, Azure.Data.Tables.TablesClientOptions options = null) { } + public TableClient(System.Uri endpoint, Azure.Data.Tables.TablesClientOptions options = null) { } public TableClient(System.Uri endpoint, string tableName, Azure.Data.Tables.TableSharedKeyCredential credential) { } - public TableClient(System.Uri endpoint, string tableName, Azure.Data.Tables.TableSharedKeyCredential credential, Azure.Data.Tables.TableClientOptions options = null) { } + public TableClient(System.Uri endpoint, string tableName, Azure.Data.Tables.TableSharedKeyCredential credential, Azure.Data.Tables.TablesClientOptions options = null) { } public virtual string AccountName { get { throw null; } } public virtual string Name { get { throw null; } } public virtual System.Threading.Tasks.Task AddEntityAsync(T entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) where T : class, Azure.Data.Tables.ITableEntity, new() { throw null; } @@ -30,8 +30,8 @@ public TableClient(System.Uri endpoint, string tableName, Azure.Data.Tables.Tabl public virtual System.Threading.Tasks.Task DeleteAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual Azure.Response DeleteEntity(string partitionKey, string rowKey, Azure.ETag ifMatch = default(Azure.ETag), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual System.Threading.Tasks.Task DeleteEntityAsync(string partitionKey, string rowKey, Azure.ETag ifMatch = default(Azure.ETag), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Response> GetAccessPolicy(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task>> GetAccessPolicyAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response> GetAccessPolicies(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task>> GetAccessPoliciesAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual System.Threading.Tasks.Task> GetEntityAsync(string partitionKey, string rowKey, System.Collections.Generic.IEnumerable select = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) where T : class, Azure.Data.Tables.ITableEntity, new() { throw null; } public virtual Azure.Response GetEntity(string partitionKey, string rowKey, System.Collections.Generic.IEnumerable select = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) where T : class, Azure.Data.Tables.ITableEntity, new() { throw null; } public virtual Azure.Data.Tables.Sas.TableSasBuilder GetSasBuilder(Azure.Data.Tables.Sas.TableSasPermissions permissions, System.DateTimeOffset expiresOn) { throw null; } @@ -40,8 +40,8 @@ public TableClient(System.Uri endpoint, string tableName, Azure.Data.Tables.Tabl public virtual Azure.AsyncPageable QueryAsync(string filter = null, int? maxPerPage = default(int?), System.Collections.Generic.IEnumerable select = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) where T : class, Azure.Data.Tables.ITableEntity, new() { throw null; } public virtual Azure.Pageable Query(System.Linq.Expressions.Expression> filter, int? maxPerPage = default(int?), System.Collections.Generic.IEnumerable select = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) where T : class, Azure.Data.Tables.ITableEntity, new() { throw null; } public virtual Azure.Pageable Query(string filter = null, int? maxPerPage = default(int?), System.Collections.Generic.IEnumerable select = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) where T : class, Azure.Data.Tables.ITableEntity, new() { throw null; } - public virtual Azure.Response SetAccessPolicy(System.Collections.Generic.IEnumerable tableAcl, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task SetAccessPolicyAsync(System.Collections.Generic.IEnumerable tableAcl, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response SetAccessPolicy(System.Collections.Generic.IEnumerable tableAcl, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task SetAccessPolicyAsync(System.Collections.Generic.IEnumerable tableAcl, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual Azure.Response> SubmitTransaction(System.Collections.Generic.IEnumerable transactionActions, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual System.Threading.Tasks.Task>> SubmitTransactionAsync(System.Collections.Generic.IEnumerable transactionActions, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual System.Threading.Tasks.Task UpdateEntityAsync(T entity, Azure.ETag ifMatch, Azure.Data.Tables.TableUpdateMode mode = Azure.Data.Tables.TableUpdateMode.Merge, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) where T : class, Azure.Data.Tables.ITableEntity, new() { throw null; } @@ -49,14 +49,6 @@ public TableClient(System.Uri endpoint, string tableName, Azure.Data.Tables.Tabl public virtual System.Threading.Tasks.Task UpsertEntityAsync(T entity, Azure.Data.Tables.TableUpdateMode mode = Azure.Data.Tables.TableUpdateMode.Merge, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) where T : class, Azure.Data.Tables.ITableEntity, new() { throw null; } public virtual Azure.Response UpsertEntity(T entity, Azure.Data.Tables.TableUpdateMode mode = Azure.Data.Tables.TableUpdateMode.Merge, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) where T : class, Azure.Data.Tables.ITableEntity, new() { throw null; } } - public partial class TableClientOptions : Azure.Core.ClientOptions - { - public TableClientOptions(Azure.Data.Tables.TableClientOptions.ServiceVersion serviceVersion = Azure.Data.Tables.TableClientOptions.ServiceVersion.V2019_02_02) { } - public enum ServiceVersion - { - V2019_02_02 = 1, - } - } public sealed partial class TableEntity : Azure.Data.Tables.ITableEntity, System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable { public TableEntity() { } @@ -80,7 +72,6 @@ public void Clear() { } public System.DateTime? GetDateTime(string key) { throw null; } public System.DateTimeOffset? GetDateTimeOffset(string key) { throw null; } public double? GetDouble(string key) { throw null; } - public System.Collections.Generic.IEnumerator> GetEnumerator() { throw null; } public System.Guid? GetGuid(string key) { throw null; } public int? GetInt32(string key) { throw null; } public long? GetInt64(string key) { throw null; } @@ -90,18 +81,33 @@ public void Clear() { } bool System.Collections.Generic.ICollection>.Contains(System.Collections.Generic.KeyValuePair item) { throw null; } void System.Collections.Generic.ICollection>.CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) { } bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair item) { throw null; } + System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() { throw null; } System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() { throw null; } public bool TryGetValue(string key, out object value) { throw null; } } + public partial class TableRetentionPolicy + { + public TableRetentionPolicy(bool enabled) { } + public int? Days { get { throw null; } set { } } + public bool Enabled { get { throw null; } set { } } + } + public partial class TablesClientOptions : Azure.Core.ClientOptions + { + public TablesClientOptions(Azure.Data.Tables.TablesClientOptions.ServiceVersion serviceVersion = Azure.Data.Tables.TablesClientOptions.ServiceVersion.V2019_02_02) { } + public enum ServiceVersion + { + V2019_02_02 = 1, + } + } public partial class TableServiceClient { protected TableServiceClient() { } public TableServiceClient(string connectionString) { } - public TableServiceClient(string connectionString, Azure.Data.Tables.TableClientOptions options = null) { } + public TableServiceClient(string connectionString, Azure.Data.Tables.TablesClientOptions options = null) { } public TableServiceClient(System.Uri endpoint, Azure.AzureSasCredential credential) { } - public TableServiceClient(System.Uri endpoint, Azure.AzureSasCredential credential, Azure.Data.Tables.TableClientOptions options = null) { } + public TableServiceClient(System.Uri endpoint, Azure.AzureSasCredential credential, Azure.Data.Tables.TablesClientOptions options = null) { } public TableServiceClient(System.Uri endpoint, Azure.Data.Tables.TableSharedKeyCredential credential) { } - public TableServiceClient(System.Uri endpoint, Azure.Data.Tables.TableSharedKeyCredential credential, Azure.Data.Tables.TableClientOptions options) { } + public TableServiceClient(System.Uri endpoint, Azure.Data.Tables.TableSharedKeyCredential credential, Azure.Data.Tables.TablesClientOptions options) { } public virtual string AccountName { get { throw null; } } public static string CreateQueryFilter(System.FormattableString filter) { throw null; } public static string CreateQueryFilter(System.Linq.Expressions.Expression> filter) { throw null; } @@ -118,10 +124,12 @@ public TableServiceClient(System.Uri endpoint, Azure.Data.Tables.TableSharedKeyC public virtual Azure.Response GetStatistics(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual System.Threading.Tasks.Task> GetStatisticsAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual Azure.Data.Tables.TableClient GetTableClient(string tableName) { throw null; } - public virtual Azure.Pageable GetTables(System.Linq.Expressions.Expression> filter, int? maxPerPage = default(int?), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.Pageable GetTables(string filter = null, int? maxPerPage = default(int?), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.AsyncPageable GetTablesAsync(System.Linq.Expressions.Expression> filter, int? maxPerPage = default(int?), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual Azure.AsyncPageable GetTablesAsync(string filter = null, int? maxPerPage = default(int?), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Pageable Query(System.FormattableString filter, int? maxPerPage = default(int?), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Pageable Query(System.Linq.Expressions.Expression> filter, int? maxPerPage = default(int?), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Pageable Query(string filter = null, int? maxPerPage = default(int?), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.AsyncPageable QueryAsync(System.FormattableString filter, int? maxPerPage = default(int?), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.AsyncPageable QueryAsync(System.Linq.Expressions.Expression> filter, int? maxPerPage = default(int?), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.AsyncPageable QueryAsync(string filter = null, int? maxPerPage = default(int?), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual Azure.Response SetProperties(Azure.Data.Tables.Models.TableServiceProperties properties, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual System.Threading.Tasks.Task SetPropertiesAsync(Azure.Data.Tables.Models.TableServiceProperties properties, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } @@ -131,9 +139,11 @@ public TableSharedKeyCredential(string accountName, string accountKey) { } public string AccountName { get { throw null; } } public void SetAccountKey(string accountKey) { } } - public static partial class TablesModelFactory + public partial class TableSignedIdentifier { - public static Azure.Data.Tables.Models.TableItem TableItem(string tableName, string odataType, string odataId, string odataEditLink) { throw null; } + public TableSignedIdentifier(string id, Azure.Data.Tables.Models.TableAccessPolicy accessPolicy) { } + public Azure.Data.Tables.Models.TableAccessPolicy AccessPolicy { get { throw null; } set { } } + public string Id { get { throw null; } set { } } } public partial class TableTransactionAction { @@ -166,31 +176,19 @@ public enum TableUpdateMode } namespace Azure.Data.Tables.Models { - public partial class RetentionPolicy - { - public RetentionPolicy(bool enabled) { } - public int? Days { get { throw null; } set { } } - public bool Enabled { get { throw null; } set { } } - } - public partial class SignedIdentifier - { - public SignedIdentifier(string id, Azure.Data.Tables.Models.TableAccessPolicy accessPolicy) { } - public Azure.Data.Tables.Models.TableAccessPolicy AccessPolicy { get { throw null; } set { } } - public string Id { get { throw null; } set { } } - } public partial class TableAccessPolicy { - public TableAccessPolicy(System.DateTimeOffset startsOn, System.DateTimeOffset expiresOn, string permission) { } - public System.DateTimeOffset ExpiresOn { get { throw null; } set { } } + public TableAccessPolicy(System.DateTimeOffset? startsOn, System.DateTimeOffset? expiresOn, string permission) { } + public System.DateTimeOffset? ExpiresOn { get { throw null; } set { } } public string Permission { get { throw null; } set { } } - public System.DateTimeOffset StartsOn { get { throw null; } set { } } + public System.DateTimeOffset? StartsOn { get { throw null; } set { } } } public partial class TableAnalyticsLoggingSettings { - public TableAnalyticsLoggingSettings(string version, bool delete, bool read, bool write, Azure.Data.Tables.Models.RetentionPolicy retentionPolicy) { } + public TableAnalyticsLoggingSettings(string version, bool delete, bool read, bool write, Azure.Data.Tables.TableRetentionPolicy retentionPolicy) { } public bool Delete { get { throw null; } set { } } public bool Read { get { throw null; } set { } } - public Azure.Data.Tables.Models.RetentionPolicy RetentionPolicy { get { throw null; } set { } } + public Azure.Data.Tables.TableRetentionPolicy RetentionPolicy { get { throw null; } set { } } public string Version { get { throw null; } set { } } public bool Write { get { throw null; } set { } } } @@ -294,7 +292,7 @@ internal TableGeoReplicationInfo() { } } public partial class TableItem { - internal TableItem() { } + public TableItem(string name) { } public string Name { get { throw null; } } } public partial class TableMetrics @@ -302,7 +300,7 @@ public partial class TableMetrics public TableMetrics(bool enabled) { } public bool Enabled { get { throw null; } set { } } public bool? IncludeApis { get { throw null; } set { } } - public Azure.Data.Tables.Models.RetentionPolicy RetentionPolicy { get { throw null; } set { } } + public Azure.Data.Tables.TableRetentionPolicy RetentionPolicy { get { throw null; } set { } } public string Version { get { throw null; } set { } } } public partial class TableServiceProperties @@ -472,8 +470,8 @@ namespace Microsoft.Extensions.Azure { public static partial class TableClientBuilderExtensions { - public static Azure.Core.Extensions.IAzureClientBuilder AddTableServiceClient(this TBuilder builder, string connectionString) where TBuilder : Azure.Core.Extensions.IAzureClientFactoryBuilder { throw null; } - public static Azure.Core.Extensions.IAzureClientBuilder AddTableServiceClient(this TBuilder builder, System.Uri serviceUri, Azure.Data.Tables.TableSharedKeyCredential sharedKeyCredential) where TBuilder : Azure.Core.Extensions.IAzureClientFactoryBuilder { throw null; } - public static Azure.Core.Extensions.IAzureClientBuilder AddTableServiceClient(this TBuilder builder, TConfiguration configuration) where TBuilder : Azure.Core.Extensions.IAzureClientFactoryBuilderWithConfiguration { throw null; } + public static Azure.Core.Extensions.IAzureClientBuilder AddTableServiceClient(this TBuilder builder, string connectionString) where TBuilder : Azure.Core.Extensions.IAzureClientFactoryBuilder { throw null; } + public static Azure.Core.Extensions.IAzureClientBuilder AddTableServiceClient(this TBuilder builder, System.Uri serviceUri, Azure.Data.Tables.TableSharedKeyCredential sharedKeyCredential) where TBuilder : Azure.Core.Extensions.IAzureClientFactoryBuilder { throw null; } + public static Azure.Core.Extensions.IAzureClientBuilder AddTableServiceClient(this TBuilder builder, TConfiguration configuration) where TBuilder : Azure.Core.Extensions.IAzureClientFactoryBuilderWithConfiguration { throw null; } } } diff --git a/sdk/tables/Azure.Data.Tables/samples/Sample3QueryTables.md b/sdk/tables/Azure.Data.Tables/samples/Sample3QueryTables.md index a88b402ee580..2d65843cb905 100644 --- a/sdk/tables/Azure.Data.Tables/samples/Sample3QueryTables.md +++ b/sdk/tables/Azure.Data.Tables/samples/Sample3QueryTables.md @@ -23,7 +23,7 @@ To get a collection of tables, call `GetTables` and optionally pass in an OData ```C# Snippet:TablesSample3QueryTables // Use the to query the service. Passing in OData filter strings is optional. -Pageable queryTableResults = serviceClient.GetTables(filter: $"TableName eq '{tableName}'"); +Pageable queryTableResults = serviceClient.Query(filter: $"TableName eq '{tableName}'"); Console.WriteLine("The following are the names of the tables in the query results:"); diff --git a/sdk/tables/Azure.Data.Tables/src/Extensions/TableClientBuilderExtensions.cs b/sdk/tables/Azure.Data.Tables/src/Extensions/TableClientBuilderExtensions.cs index 94c7abaf1c4a..9ba0eaadf59f 100644 --- a/sdk/tables/Azure.Data.Tables/src/Extensions/TableClientBuilderExtensions.cs +++ b/sdk/tables/Azure.Data.Tables/src/Extensions/TableClientBuilderExtensions.cs @@ -8,35 +8,35 @@ namespace Microsoft.Extensions.Azure { /// - /// Extension methods to add client to clients builder. + /// Extension methods to add client to clients builder. /// public static class TableClientBuilderExtensions { /// /// Registers a instance with the provided /// - public static IAzureClientBuilder AddTableServiceClient(this TBuilder builder, string connectionString) + public static IAzureClientBuilder AddTableServiceClient(this TBuilder builder, string connectionString) where TBuilder : IAzureClientFactoryBuilder { - return builder.RegisterClientFactory(options => new TableServiceClient(connectionString, options)); + return builder.RegisterClientFactory(options => new TableServiceClient(connectionString, options)); } /// /// Registers a instance with the provided and /// - public static IAzureClientBuilder AddTableServiceClient(this TBuilder builder, Uri serviceUri, TableSharedKeyCredential sharedKeyCredential) + public static IAzureClientBuilder AddTableServiceClient(this TBuilder builder, Uri serviceUri, TableSharedKeyCredential sharedKeyCredential) where TBuilder : IAzureClientFactoryBuilder { - return builder.RegisterClientFactory(options => new TableServiceClient(serviceUri, sharedKeyCredential, options)); + return builder.RegisterClientFactory(options => new TableServiceClient(serviceUri, sharedKeyCredential, options)); } /// /// Registers a instance with connection options loaded from the provided instance. /// - public static IAzureClientBuilder AddTableServiceClient(this TBuilder builder, TConfiguration configuration) + public static IAzureClientBuilder AddTableServiceClient(this TBuilder builder, TConfiguration configuration) where TBuilder : IAzureClientFactoryBuilderWithConfiguration { - return builder.RegisterClientFactory(configuration); + return builder.RegisterClientFactory(configuration); } } } diff --git a/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableAccessPolicy.Serialization.cs b/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableAccessPolicy.Serialization.cs index 5acf2958bcea..86f0eb847fe9 100644 --- a/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableAccessPolicy.Serialization.cs +++ b/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableAccessPolicy.Serialization.cs @@ -17,12 +17,18 @@ public partial class TableAccessPolicy : IXmlSerializable void IXmlSerializable.Write(XmlWriter writer, string nameHint) { writer.WriteStartElement(nameHint ?? "AccessPolicy"); - writer.WriteStartElement("Start"); - writer.WriteValue(StartsOn, "O"); - writer.WriteEndElement(); - writer.WriteStartElement("Expiry"); - writer.WriteValue(ExpiresOn, "O"); - writer.WriteEndElement(); + if (StartsOn != null) + { + writer.WriteStartElement("Start"); + writer.WriteValue(StartsOn.Value, "O"); + writer.WriteEndElement(); + } + if (ExpiresOn != null) + { + writer.WriteStartElement("Expiry"); + writer.WriteValue(ExpiresOn.Value, "O"); + writer.WriteEndElement(); + } writer.WriteStartElement("Permission"); writer.WriteValue(Permission); writer.WriteEndElement(); @@ -31,8 +37,8 @@ void IXmlSerializable.Write(XmlWriter writer, string nameHint) internal static TableAccessPolicy DeserializeTableAccessPolicy(XElement element) { - DateTimeOffset startsOn = default; - DateTimeOffset expiresOn = default; + DateTimeOffset? startsOn = default; + DateTimeOffset? expiresOn = default; string permission = default; if (element.Element("Start") is XElement startElement) { diff --git a/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableAccessPolicy.cs b/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableAccessPolicy.cs index 1e9239e65a21..b35e0d84f883 100644 --- a/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableAccessPolicy.cs +++ b/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableAccessPolicy.cs @@ -17,7 +17,7 @@ public partial class TableAccessPolicy /// The datetime that the policy expires. /// The permissions for the acl policy. /// is null. - public TableAccessPolicy(DateTimeOffset startsOn, DateTimeOffset expiresOn, string permission) + public TableAccessPolicy(DateTimeOffset? startsOn, DateTimeOffset? expiresOn, string permission) { if (permission == null) { diff --git a/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableAnalyticsLoggingSettings.Serialization.cs b/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableAnalyticsLoggingSettings.Serialization.cs index 0cf2c53391ae..433559a985cf 100644 --- a/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableAnalyticsLoggingSettings.Serialization.cs +++ b/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableAnalyticsLoggingSettings.Serialization.cs @@ -8,6 +8,7 @@ using System.Xml; using System.Xml.Linq; using Azure.Core; +using Azure.Data.Tables; namespace Azure.Data.Tables.Models { @@ -38,7 +39,7 @@ internal static TableAnalyticsLoggingSettings DeserializeTableAnalyticsLoggingSe bool delete = default; bool read = default; bool write = default; - RetentionPolicy retentionPolicy = default; + TableRetentionPolicy retentionPolicy = default; if (element.Element("Version") is XElement versionElement) { version = (string)versionElement; @@ -57,7 +58,7 @@ internal static TableAnalyticsLoggingSettings DeserializeTableAnalyticsLoggingSe } if (element.Element("RetentionPolicy") is XElement retentionPolicyElement) { - retentionPolicy = RetentionPolicy.DeserializeRetentionPolicy(retentionPolicyElement); + retentionPolicy = TableRetentionPolicy.DeserializeTableRetentionPolicy(retentionPolicyElement); } return new TableAnalyticsLoggingSettings(version, delete, read, write, retentionPolicy); } diff --git a/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableAnalyticsLoggingSettings.cs b/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableAnalyticsLoggingSettings.cs index e741da397745..2788963e463e 100644 --- a/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableAnalyticsLoggingSettings.cs +++ b/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableAnalyticsLoggingSettings.cs @@ -6,6 +6,7 @@ #nullable disable using System; +using Azure.Data.Tables; namespace Azure.Data.Tables.Models { @@ -19,7 +20,7 @@ public partial class TableAnalyticsLoggingSettings /// Indicates whether all write requests should be logged. /// The retention policy. /// or is null. - public TableAnalyticsLoggingSettings(string version, bool delete, bool read, bool write, RetentionPolicy retentionPolicy) + public TableAnalyticsLoggingSettings(string version, bool delete, bool read, bool write, TableRetentionPolicy retentionPolicy) { if (version == null) { @@ -46,6 +47,6 @@ public TableAnalyticsLoggingSettings(string version, bool delete, bool read, boo /// Indicates whether all write requests should be logged. public bool Write { get; set; } /// The retention policy. - public RetentionPolicy RetentionPolicy { get; set; } + public TableRetentionPolicy RetentionPolicy { get; set; } } } diff --git a/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableMetrics.Serialization.cs b/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableMetrics.Serialization.cs index 84fd88c7416e..834c89e662a8 100644 --- a/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableMetrics.Serialization.cs +++ b/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableMetrics.Serialization.cs @@ -8,6 +8,7 @@ using System.Xml; using System.Xml.Linq; using Azure.Core; +using Azure.Data.Tables; namespace Azure.Data.Tables.Models { @@ -43,7 +44,7 @@ internal static TableMetrics DeserializeTableMetrics(XElement element) string version = default; bool enabled = default; bool? includeApis = default; - RetentionPolicy retentionPolicy = default; + TableRetentionPolicy retentionPolicy = default; if (element.Element("Version") is XElement versionElement) { version = (string)versionElement; @@ -58,7 +59,7 @@ internal static TableMetrics DeserializeTableMetrics(XElement element) } if (element.Element("RetentionPolicy") is XElement retentionPolicyElement) { - retentionPolicy = RetentionPolicy.DeserializeRetentionPolicy(retentionPolicyElement); + retentionPolicy = TableRetentionPolicy.DeserializeTableRetentionPolicy(retentionPolicyElement); } return new TableMetrics(version, enabled, includeApis, retentionPolicy); } diff --git a/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableMetrics.cs b/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableMetrics.cs index fa7f63d0b91d..d9abd0670716 100644 --- a/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableMetrics.cs +++ b/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableMetrics.cs @@ -5,6 +5,8 @@ #nullable disable +using Azure.Data.Tables; + namespace Azure.Data.Tables.Models { /// The Metrics. @@ -22,7 +24,7 @@ public TableMetrics(bool enabled) /// Indicates whether metrics are enabled for the Table service. /// Indicates whether metrics should generate summary statistics for called API operations. /// The retention policy. - internal TableMetrics(string version, bool enabled, bool? includeApis, RetentionPolicy retentionPolicy) + internal TableMetrics(string version, bool enabled, bool? includeApis, TableRetentionPolicy retentionPolicy) { Version = version; Enabled = enabled; @@ -35,6 +37,6 @@ internal TableMetrics(string version, bool enabled, bool? includeApis, Retention /// Indicates whether metrics are enabled for the Table service. public bool Enabled { get; set; } /// The retention policy. - public RetentionPolicy RetentionPolicy { get; set; } + public TableRetentionPolicy RetentionPolicy { get; set; } } } diff --git a/sdk/tables/Azure.Data.Tables/src/Generated/Models/RetentionPolicy.Serialization.cs b/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableRetentionPolicy.Serialization.cs similarity index 81% rename from sdk/tables/Azure.Data.Tables/src/Generated/Models/RetentionPolicy.Serialization.cs rename to sdk/tables/Azure.Data.Tables/src/Generated/Models/TableRetentionPolicy.Serialization.cs index 4a088363dbd4..96649c5a1b00 100644 --- a/sdk/tables/Azure.Data.Tables/src/Generated/Models/RetentionPolicy.Serialization.cs +++ b/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableRetentionPolicy.Serialization.cs @@ -9,9 +9,9 @@ using System.Xml.Linq; using Azure.Core; -namespace Azure.Data.Tables.Models +namespace Azure.Data.Tables { - public partial class RetentionPolicy : IXmlSerializable + public partial class TableRetentionPolicy : IXmlSerializable { void IXmlSerializable.Write(XmlWriter writer, string nameHint) { @@ -28,7 +28,7 @@ void IXmlSerializable.Write(XmlWriter writer, string nameHint) writer.WriteEndElement(); } - internal static RetentionPolicy DeserializeRetentionPolicy(XElement element) + internal static TableRetentionPolicy DeserializeTableRetentionPolicy(XElement element) { bool enabled = default; int? days = default; @@ -40,7 +40,7 @@ internal static RetentionPolicy DeserializeRetentionPolicy(XElement element) { days = (int?)daysElement; } - return new RetentionPolicy(enabled, days); + return new TableRetentionPolicy(enabled, days); } } } diff --git a/sdk/tables/Azure.Data.Tables/src/Generated/Models/RetentionPolicy.cs b/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableRetentionPolicy.cs similarity index 75% rename from sdk/tables/Azure.Data.Tables/src/Generated/Models/RetentionPolicy.cs rename to sdk/tables/Azure.Data.Tables/src/Generated/Models/TableRetentionPolicy.cs index 9ccbb8bfb3e7..a98f2c7afbe0 100644 --- a/sdk/tables/Azure.Data.Tables/src/Generated/Models/RetentionPolicy.cs +++ b/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableRetentionPolicy.cs @@ -5,22 +5,22 @@ #nullable disable -namespace Azure.Data.Tables.Models +namespace Azure.Data.Tables { /// The retention policy. - public partial class RetentionPolicy + public partial class TableRetentionPolicy { - /// Initializes a new instance of RetentionPolicy. + /// Initializes a new instance of TableRetentionPolicy. /// Indicates whether a retention policy is enabled for the service. - public RetentionPolicy(bool enabled) + public TableRetentionPolicy(bool enabled) { Enabled = enabled; } - /// Initializes a new instance of RetentionPolicy. + /// Initializes a new instance of TableRetentionPolicy. /// Indicates whether a retention policy is enabled for the service. /// Indicates the number of days that metrics or logging or soft-deleted data should be retained. All data older than this value will be deleted. - internal RetentionPolicy(bool enabled, int? days) + internal TableRetentionPolicy(bool enabled, int? days) { Enabled = enabled; Days = days; diff --git a/sdk/tables/Azure.Data.Tables/src/Generated/Models/SignedIdentifier.Serialization.cs b/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableSignedIdentifier.Serialization.cs similarity index 78% rename from sdk/tables/Azure.Data.Tables/src/Generated/Models/SignedIdentifier.Serialization.cs rename to sdk/tables/Azure.Data.Tables/src/Generated/Models/TableSignedIdentifier.Serialization.cs index 58774b041d52..97d595ce6b87 100644 --- a/sdk/tables/Azure.Data.Tables/src/Generated/Models/SignedIdentifier.Serialization.cs +++ b/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableSignedIdentifier.Serialization.cs @@ -8,10 +8,11 @@ using System.Xml; using System.Xml.Linq; using Azure.Core; +using Azure.Data.Tables.Models; -namespace Azure.Data.Tables.Models +namespace Azure.Data.Tables { - public partial class SignedIdentifier : IXmlSerializable + public partial class TableSignedIdentifier : IXmlSerializable { void IXmlSerializable.Write(XmlWriter writer, string nameHint) { @@ -23,7 +24,7 @@ void IXmlSerializable.Write(XmlWriter writer, string nameHint) writer.WriteEndElement(); } - internal static SignedIdentifier DeserializeSignedIdentifier(XElement element) + internal static TableSignedIdentifier DeserializeTableSignedIdentifier(XElement element) { string id = default; TableAccessPolicy accessPolicy = default; @@ -35,7 +36,7 @@ internal static SignedIdentifier DeserializeSignedIdentifier(XElement element) { accessPolicy = TableAccessPolicy.DeserializeTableAccessPolicy(accessPolicyElement); } - return new SignedIdentifier(id, accessPolicy); + return new TableSignedIdentifier(id, accessPolicy); } } } diff --git a/sdk/tables/Azure.Data.Tables/src/Generated/Models/SignedIdentifier.cs b/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableSignedIdentifier.cs similarity index 78% rename from sdk/tables/Azure.Data.Tables/src/Generated/Models/SignedIdentifier.cs rename to sdk/tables/Azure.Data.Tables/src/Generated/Models/TableSignedIdentifier.cs index f0922f0f5632..2761452b53bb 100644 --- a/sdk/tables/Azure.Data.Tables/src/Generated/Models/SignedIdentifier.cs +++ b/sdk/tables/Azure.Data.Tables/src/Generated/Models/TableSignedIdentifier.cs @@ -6,17 +6,18 @@ #nullable disable using System; +using Azure.Data.Tables.Models; -namespace Azure.Data.Tables.Models +namespace Azure.Data.Tables { /// A signed identifier. - public partial class SignedIdentifier + public partial class TableSignedIdentifier { - /// Initializes a new instance of SignedIdentifier. + /// Initializes a new instance of TableSignedIdentifier. /// A unique id. /// The access policy. /// or is null. - public SignedIdentifier(string id, TableAccessPolicy accessPolicy) + public TableSignedIdentifier(string id, TableAccessPolicy accessPolicy) { if (id == null) { diff --git a/sdk/tables/Azure.Data.Tables/src/Generated/TableRestClient.cs b/sdk/tables/Azure.Data.Tables/src/Generated/TableRestClient.cs index 4cf4662fc73c..6e7360ff811d 100644 --- a/sdk/tables/Azure.Data.Tables/src/Generated/TableRestClient.cs +++ b/sdk/tables/Azure.Data.Tables/src/Generated/TableRestClient.cs @@ -1011,7 +1011,7 @@ internal HttpMessage CreateGetAccessPolicyRequest(string table, int? timeout) /// The timeout parameter is expressed in seconds. /// The cancellation token to use. /// is null. - public async Task, TableGetAccessPolicyHeaders>> GetAccessPolicyAsync(string table, int? timeout = null, CancellationToken cancellationToken = default) + public async Task, TableGetAccessPolicyHeaders>> GetAccessPolicyAsync(string table, int? timeout = null, CancellationToken cancellationToken = default) { if (table == null) { @@ -1025,14 +1025,14 @@ public async Task, TableGetA { case 200: { - IReadOnlyList value = default; + IReadOnlyList value = default; var document = XDocument.Load(message.Response.ContentStream, LoadOptions.PreserveWhitespace); if (document.Element("SignedIdentifiers") is XElement signedIdentifiersElement) { - var array = new List(); + var array = new List(); foreach (var e in signedIdentifiersElement.Elements("SignedIdentifier")) { - array.Add(SignedIdentifier.DeserializeSignedIdentifier(e)); + array.Add(TableSignedIdentifier.DeserializeTableSignedIdentifier(e)); } value = array; } @@ -1048,7 +1048,7 @@ public async Task, TableGetA /// The timeout parameter is expressed in seconds. /// The cancellation token to use. /// is null. - public ResponseWithHeaders, TableGetAccessPolicyHeaders> GetAccessPolicy(string table, int? timeout = null, CancellationToken cancellationToken = default) + public ResponseWithHeaders, TableGetAccessPolicyHeaders> GetAccessPolicy(string table, int? timeout = null, CancellationToken cancellationToken = default) { if (table == null) { @@ -1062,14 +1062,14 @@ public ResponseWithHeaders, TableGetAccessPolicy { case 200: { - IReadOnlyList value = default; + IReadOnlyList value = default; var document = XDocument.Load(message.Response.ContentStream, LoadOptions.PreserveWhitespace); if (document.Element("SignedIdentifiers") is XElement signedIdentifiersElement) { - var array = new List(); + var array = new List(); foreach (var e in signedIdentifiersElement.Elements("SignedIdentifier")) { - array.Add(SignedIdentifier.DeserializeSignedIdentifier(e)); + array.Add(TableSignedIdentifier.DeserializeTableSignedIdentifier(e)); } value = array; } @@ -1080,7 +1080,7 @@ public ResponseWithHeaders, TableGetAccessPolicy } } - internal HttpMessage CreateSetAccessPolicyRequest(string table, int? timeout, IEnumerable tableAcl) + internal HttpMessage CreateSetAccessPolicyRequest(string table, int? timeout, IEnumerable tableAcl) { var message = _pipeline.CreateMessage(); var request = message.Request; @@ -1118,7 +1118,7 @@ internal HttpMessage CreateSetAccessPolicyRequest(string table, int? timeout, IE /// The acls for the table. /// The cancellation token to use. /// is null. - public async Task> SetAccessPolicyAsync(string table, int? timeout = null, IEnumerable tableAcl = null, CancellationToken cancellationToken = default) + public async Task> SetAccessPolicyAsync(string table, int? timeout = null, IEnumerable tableAcl = null, CancellationToken cancellationToken = default) { if (table == null) { @@ -1143,7 +1143,7 @@ public async Task> SetAccessPol /// The acls for the table. /// The cancellation token to use. /// is null. - public ResponseWithHeaders SetAccessPolicy(string table, int? timeout = null, IEnumerable tableAcl = null, CancellationToken cancellationToken = default) + public ResponseWithHeaders SetAccessPolicy(string table, int? timeout = null, IEnumerable tableAcl = null, CancellationToken cancellationToken = default) { if (table == null) { diff --git a/sdk/tables/Azure.Data.Tables/src/ITableEntity.cs b/sdk/tables/Azure.Data.Tables/src/ITableEntity.cs index 408a30f4aab9..216cf0da3aea 100644 --- a/sdk/tables/Azure.Data.Tables/src/ITableEntity.cs +++ b/sdk/tables/Azure.Data.Tables/src/ITableEntity.cs @@ -10,7 +10,7 @@ namespace Azure.Data.Tables /// /// /// - /// Two options exist for impelemtations of : Strongly typed custom entity model classes, and the provided model. + /// Two options exist for implementations of : Strongly typed custom entity model classes, and the provided model. /// public interface ITableEntity { @@ -29,13 +29,14 @@ public interface ITableEntity /// /// The Timestamp property is a DateTime value that is maintained on the server side to record the time an entity was last modified. /// The Table service uses the Timestamp property internally to provide optimistic concurrency. The value of Timestamp is a monotonically increasing value, - /// meaning that each time the entity is modified, the value of Timestamp increases for that entity. This property should not be set on insert or update operations (the value will be ignored). + /// meaning that each time the entity is modified, the value of Timestamp increases for that entity. + /// This property should not be set on insert or update operations (the value will be ignored). /// /// A containing the timestamp of the entity. - DateTimeOffset? Timestamp { get; set; } + DateTimeOffset? Timestamp { get; } /// - /// Gets or sets the entity's ETag. Set this value to '*' in order to force an overwrite to an entity as part of an update operation. + /// Gets or sets the entity's ETag. /// /// A string containing the ETag value for the entity. ETag ETag { get; set; } diff --git a/sdk/tables/Azure.Data.Tables/src/Sas/TableSasBuilder.cs b/sdk/tables/Azure.Data.Tables/src/Sas/TableSasBuilder.cs index 33707836a6ed..ffb356f8d454 100644 --- a/sdk/tables/Azure.Data.Tables/src/Sas/TableSasBuilder.cs +++ b/sdk/tables/Azure.Data.Tables/src/Sas/TableSasBuilder.cs @@ -210,10 +210,10 @@ public TableSasQueryParameters ToSasQueryParameters(TableSharedKeyCredential sha RowKeyEnd); var signature = TableSharedKeyCredential.ComputeSasSignature(sharedKeyCredential, stringToSign); var p = new TableSasQueryParameters( - version: Version, - resourceTypes: default, - tableName: TableName, - partitionKeyStart: PartitionKeyStart, + Version, + default, + TableName, + PartitionKeyStart, partitionKeyEnd: PartitionKeyEnd, rowKeyStart: RowKeyStart, rowKeyEnd: RowKeyEnd, diff --git a/sdk/tables/Azure.Data.Tables/src/TableAccessPolicy.cs b/sdk/tables/Azure.Data.Tables/src/TableAccessPolicy.cs index 83fdf58a8b26..77a4e656d501 100644 --- a/sdk/tables/Azure.Data.Tables/src/TableAccessPolicy.cs +++ b/sdk/tables/Azure.Data.Tables/src/TableAccessPolicy.cs @@ -12,9 +12,9 @@ public partial class TableAccessPolicy { /// The start datetime from which the policy is active. [CodeGenMember("Start")] - public DateTimeOffset StartsOn { get; set; } + public DateTimeOffset? StartsOn { get; set; } /// The datetime that the policy expires. [CodeGenMember("Expiry")] - public DateTimeOffset ExpiresOn { get; set; } + public DateTimeOffset? ExpiresOn { get; set; } } } diff --git a/sdk/tables/Azure.Data.Tables/src/TableClient.cs b/sdk/tables/Azure.Data.Tables/src/TableClient.cs index ea986068fa2f..e504a8310489 100644 --- a/sdk/tables/Azure.Data.Tables/src/TableClient.cs +++ b/sdk/tables/Azure.Data.Tables/src/TableClient.cs @@ -32,6 +32,7 @@ public class TableClient private readonly Uri _endpoint; private Guid? _batchGuid; private Guid? _changesetGuid; + private readonly HttpPipeline _pipeline; /// /// The name of the table with which this client instance will interact. @@ -69,7 +70,7 @@ public virtual string AccountName /// Optional client options that define the transport pipeline policies for authentication, retries, etc., that are applied to every request. /// /// is not https. - public TableClient(Uri endpoint, TableClientOptions options = null) + public TableClient(Uri endpoint, TablesClientOptions options = null) : this(endpoint, null, default, options) { if (endpoint.Scheme != Uri.UriSchemeHttps) @@ -92,7 +93,7 @@ public TableClient(Uri endpoint, TableClientOptions options = null) /// Optional client options that define the transport pipeline policies for authentication, retries, etc., that are applied to every request. /// /// is not https. - public TableClient(Uri endpoint, AzureSasCredential credential, TableClientOptions options = null) + public TableClient(Uri endpoint, AzureSasCredential credential, TablesClientOptions options = null) : this(endpoint, null, default, credential, options) { Argument.AssertNotNull(credential, nameof(credential)); @@ -132,7 +133,7 @@ public TableClient(Uri endpoint, string tableName, TableSharedKeyCredential cred /// Optional client options that define the transport pipeline policies for authentication, retries, etc., that are applied to every request. /// /// or is null. - public TableClient(Uri endpoint, string tableName, TableSharedKeyCredential credential, TableClientOptions options = null) + public TableClient(Uri endpoint, string tableName, TableSharedKeyCredential credential, TablesClientOptions options = null) : this(endpoint, tableName, new TableSharedKeyPipelinePolicy(credential), default, options) { Argument.AssertNotNull(credential, nameof(credential)); @@ -172,7 +173,7 @@ public TableClient(string connectionString, string tableName) /// /// Optional client options that define the transport pipeline policies for authentication, retries, etc., that are applied to every request. /// - public TableClient(string connectionString, string tableName, TableClientOptions options = null) + public TableClient(string connectionString, string tableName, TablesClientOptions options = null) { Argument.AssertNotNull(connectionString, nameof(connectionString)); @@ -181,7 +182,7 @@ public TableClient(string connectionString, string tableName, TableClientOptions _isCosmosEndpoint = TableServiceClient.IsPremiumEndpoint(connString.TableStorageUri.PrimaryUri); var perCallPolicies = _isCosmosEndpoint ? new[] { new CosmosPatchTransformPolicy() } : Array.Empty(); - options ??= new TableClientOptions(); + options ??= new TablesClientOptions(); var endpointString = connString.TableStorageUri.PrimaryUri.ToString(); TableSharedKeyPipelinePolicy policy = connString.Credentials switch @@ -199,7 +200,7 @@ public TableClient(string connectionString, string tableName, TableClientOptions Name = tableName; } - internal TableClient(Uri endpoint, string tableName, TableSharedKeyPipelinePolicy policy, AzureSasCredential sasCredential, TableClientOptions options) + internal TableClient(Uri endpoint, string tableName, TableSharedKeyPipelinePolicy policy, AzureSasCredential sasCredential, TablesClientOptions options) { Argument.AssertNotNull(endpoint, nameof(endpoint)); @@ -221,7 +222,7 @@ internal TableClient(Uri endpoint, string tableName, TableSharedKeyPipelinePolic _endpoint = endpoint; _isCosmosEndpoint = TableServiceClient.IsPremiumEndpoint(endpoint); - options ??= new TableClientOptions(); + options ??= new TablesClientOptions(); var perCallPolicies = _isCosmosEndpoint ? new[] { new CosmosPatchTransformPolicy() } : Array.Empty(); HttpPipelinePolicy authPolicy = sasCredential switch @@ -229,19 +230,26 @@ internal TableClient(Uri endpoint, string tableName, TableSharedKeyPipelinePolic null => policy, _ => new AzureSasCredentialSynchronousPolicy(sasCredential) }; - HttpPipeline pipeline = HttpPipelineBuilder.Build( + _pipeline = HttpPipelineBuilder.Build( options, - perCallPolicies: perCallPolicies, - perRetryPolicies: new[] { authPolicy }, + perCallPolicies, + new[] { authPolicy }, new ResponseClassifier()); _version = options.VersionString; _diagnostics = new TablesClientDiagnostics(options); - _tableOperations = new TableRestClient(_diagnostics, pipeline, endpoint.AbsoluteUri, _version); + _tableOperations = new TableRestClient(_diagnostics, _pipeline, endpoint.AbsoluteUri, _version); Name = tableName; } - internal TableClient(string table, TableRestClient tableOperations, string version, ClientDiagnostics diagnostics, bool isPremiumEndpoint, Uri endpoint) + internal TableClient( + string table, + TableRestClient tableOperations, + string version, + ClientDiagnostics diagnostics, + bool isPremiumEndpoint, + Uri endpoint, + HttpPipeline pipeline) { _tableOperations = tableOperations; _version = version; @@ -249,6 +257,7 @@ internal TableClient(string table, TableRestClient tableOperations, string versi _diagnostics = diagnostics; _isCosmosEndpoint = isPremiumEndpoint; _endpoint = endpoint; + _pipeline = pipeline; } /// @@ -302,8 +311,8 @@ public virtual Response Create(CancellationToken cancellationToken = var response = _tableOperations.Create( new TableProperties() { TableName = Name }, null, - queryOptions: _defaultQueryOptions, - cancellationToken: cancellationToken); + _defaultQueryOptions, + cancellationToken); return Response.FromValue(response.Value as TableItem, response.GetRawResponse()); } catch (Exception ex) @@ -328,8 +337,8 @@ public virtual async Task> CreateAsync(CancellationToken can var response = await _tableOperations.CreateAsync( new TableProperties() { TableName = Name }, null, - queryOptions: _defaultQueryOptions, - cancellationToken: cancellationToken) + _defaultQueryOptions, + cancellationToken) .ConfigureAwait(false); return Response.FromValue(response.Value as TableItem, response.GetRawResponse()); } @@ -355,8 +364,8 @@ public virtual Response CreateIfNotExists(CancellationToken cancellat var response = _tableOperations.Create( new TableProperties() { TableName = Name }, null, - queryOptions: _defaultQueryOptions, - cancellationToken: cancellationToken); + _defaultQueryOptions, + cancellationToken); return Response.FromValue(response.Value as TableItem, response.GetRawResponse()); } catch (RequestFailedException ex) when (ex.Status == (int)HttpStatusCode.Conflict) @@ -385,8 +394,8 @@ public virtual async Task> CreateIfNotExistsAsync(Cancellati var response = await _tableOperations.CreateAsync( new TableProperties() { TableName = Name }, null, - queryOptions: _defaultQueryOptions, - cancellationToken: cancellationToken) + _defaultQueryOptions, + cancellationToken) .ConfigureAwait(false); return Response.FromValue(response.Value as TableItem, response.GetRawResponse()); } @@ -405,14 +414,24 @@ public virtual async Task> CreateIfNotExistsAsync(Cancellati /// Deletes the table specified by the tableName parameter used to construct this client instance. /// /// A controlling the request lifetime. - /// + /// If the table exists, a . If the table already does not exist, null. public virtual Response Delete(CancellationToken cancellationToken = default) { using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(TableClient)}.{nameof(Delete)}"); scope.Start(); try { - return _tableOperations.Delete(table: Name, cancellationToken: cancellationToken); + using var message = _tableOperations.CreateDeleteRequest(Name); + _pipeline.Send(message, cancellationToken); + + switch (message.Response.Status) + { + case 404: + case 204: + return message.Response; + default: + throw _diagnostics.CreateRequestFailedException(message.Response); + } } catch (Exception ex) { @@ -425,14 +444,24 @@ public virtual Response Delete(CancellationToken cancellationToken = default) /// Deletes the table specified by the tableName parameter used to construct this client instance. /// /// A controlling the request lifetime. - /// + /// If the table exists, a . If the table already does not exist, null. public virtual async Task DeleteAsync(CancellationToken cancellationToken = default) { using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(TableClient)}.{nameof(Delete)}"); scope.Start(); try { - return await _tableOperations.DeleteAsync(table: Name, cancellationToken: cancellationToken).ConfigureAwait(false); + using var message = _tableOperations.CreateDeleteRequest(Name); + await _pipeline.SendAsync(message, cancellationToken).ConfigureAwait(false); + + switch (message.Response.Status) + { + case 404: + case 204: + return message.Response; + default: + throw _diagnostics.CreateRequestFailedException(message.Response); + } } catch (Exception ex) { @@ -1089,14 +1118,18 @@ public virtual async Task DeleteEntityAsync( scope.Start(); try { - return await _tableOperations.DeleteEntityAsync( - Name, - partitionKey, - rowKey, - ifMatch: ifMatch == default ? ETag.All.ToString() : ifMatch.ToString(), - queryOptions: _defaultQueryOptions, - cancellationToken: cancellationToken) - .ConfigureAwait(false); + var etag = ifMatch == default ? ETag.All.ToString() : ifMatch.ToString(); + using var message = _tableOperations.CreateDeleteEntityRequest(Name, partitionKey, rowKey, etag, null, _defaultQueryOptions); + await _pipeline.SendAsync(message, cancellationToken).ConfigureAwait(false); + + switch (message.Response.Status) + { + case 404: + case 204: + return message.Response; + default: + throw _diagnostics.CreateRequestFailedException(message.Response); + } } catch (Exception ex) { @@ -1119,7 +1152,7 @@ public virtual async Task DeleteEntityAsync( /// /// A controlling the request lifetime. /// The server returned an error. See for details returned from the server. - /// The indicating the result of the operation. + /// If the entity exists, the indicating the result of the operation. If the entity does not exist, null public virtual Response DeleteEntity(string partitionKey, string rowKey, ETag ifMatch = default, CancellationToken cancellationToken = default) { Argument.AssertNotNull(partitionKey, nameof(partitionKey)); @@ -1128,13 +1161,18 @@ public virtual Response DeleteEntity(string partitionKey, string rowKey, ETag if scope.Start(); try { - return _tableOperations.DeleteEntity( - Name, - partitionKey, - rowKey, - ifMatch: ifMatch == default ? ETag.All.ToString() : ifMatch.ToString(), - queryOptions: _defaultQueryOptions, - cancellationToken: cancellationToken); + var etag = ifMatch == default ? ETag.All.ToString() : ifMatch.ToString(); + using var message = _tableOperations.CreateDeleteEntityRequest(Name, partitionKey, rowKey, etag, null, _defaultQueryOptions); + _pipeline.Send(message, cancellationToken); + + switch (message.Response.Status) + { + case 404: + case 204: + return message.Response; + default: + throw _diagnostics.CreateRequestFailedException(message.Response); + } } catch (Exception ex) { @@ -1146,9 +1184,9 @@ public virtual Response DeleteEntity(string partitionKey, string rowKey, ETag if /// Retrieves details about any stored access policies specified on the table that may be used with Shared Access Signatures. /// A controlling the request lifetime. /// The server returned an error. See for details returned from the server. - public virtual async Task>> GetAccessPolicyAsync(CancellationToken cancellationToken = default) + public virtual async Task>> GetAccessPoliciesAsync(CancellationToken cancellationToken = default) { - using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(TableClient)}.{nameof(GetAccessPolicy)}"); + using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(TableClient)}.{nameof(GetAccessPolicies)}"); scope.Start(); try { @@ -1165,9 +1203,9 @@ public virtual async Task>> GetAccessPo /// Retrieves details about any stored access policies specified on the table that may be used with Shared Access Signatures. /// A controlling the request lifetime. /// The server returned an error. See for details returned from the server. - public virtual Response> GetAccessPolicy(CancellationToken cancellationToken = default) + public virtual Response> GetAccessPolicies(CancellationToken cancellationToken = default) { - using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(TableClient)}.{nameof(GetAccessPolicy)}"); + using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(TableClient)}.{nameof(GetAccessPolicies)}"); scope.Start(); try { @@ -1185,7 +1223,7 @@ public virtual Response> GetAccessPolicy(Cancell /// the access policies for the table. /// A controlling the request lifetime. /// The server returned an error. See for details returned from the server. - public virtual async Task SetAccessPolicyAsync(IEnumerable tableAcl, CancellationToken cancellationToken = default) + public virtual async Task SetAccessPolicyAsync(IEnumerable tableAcl, CancellationToken cancellationToken = default) { using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(TableClient)}.{nameof(SetAccessPolicy)}"); scope.Start(); @@ -1204,7 +1242,7 @@ public virtual async Task SetAccessPolicyAsync(IEnumerable the access policies for the table. /// A controlling the request lifetime. /// The server returned an error. See for details returned from the server. - public virtual Response SetAccessPolicy(IEnumerable tableAcl, CancellationToken cancellationToken = default) + public virtual Response SetAccessPolicy(IEnumerable tableAcl, CancellationToken cancellationToken = default) { using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(TableClient)}.{nameof(SetAccessPolicy)}"); scope.Start(); @@ -1259,8 +1297,11 @@ await SubmitTransactionInternalAsync(transactionActions, _batchGuid ?? Guid.NewG /// containing a . /// if the batch transaction fails./> /// if the batch has been previously submitted. - public virtual Response> SubmitTransaction(IEnumerable transactionActions, CancellationToken cancellationToken = default) => - SubmitTransactionInternalAsync(transactionActions, _batchGuid ?? Guid.NewGuid(), _changesetGuid ?? Guid.NewGuid(), false, cancellationToken).EnsureCompleted(); + public virtual Response> SubmitTransaction( + IEnumerable transactionActions, + CancellationToken cancellationToken = default) => + SubmitTransactionInternalAsync(transactionActions, _batchGuid ?? Guid.NewGuid(), _changesetGuid ?? Guid.NewGuid(), false, cancellationToken) + .EnsureCompleted(); internal virtual async Task>> SubmitTransactionInternalAsync( IEnumerable transactionalBatch, @@ -1285,9 +1326,9 @@ internal virtual async Task>> SubmitTransaction var _batch = BuildChangeSet(batchOperations, batchItems, requestLookup, batchId, changesetId); var request = _tableOperations.CreateBatchRequest(_batch, null, null); - return async ? - await _tableOperations.SendBatchRequestAsync(request, cancellationToken).ConfigureAwait(false) : - _tableOperations.SendBatchRequest(request, cancellationToken); + return async + ? await _tableOperations.SendBatchRequestAsync(request, cancellationToken).ConfigureAwait(false) + : _tableOperations.SendBatchRequest(request, cancellationToken); } catch (Exception ex) { @@ -1377,7 +1418,7 @@ private HttpMessage CreateUpdateOrMergeRequest(TableRestClient batchOperations, private static HttpPipeline CreateBatchPipeline() { // Configure the options to use minimal policies - var options = new TableClientOptions(); + var options = new TablesClientOptions(); options.Diagnostics.IsLoggingEnabled = false; options.Diagnostics.IsTelemetryEnabled = false; options.Diagnostics.IsDistributedTracingEnabled = false; diff --git a/sdk/tables/Azure.Data.Tables/src/TableEntity.Dictionary.cs b/sdk/tables/Azure.Data.Tables/src/TableEntity.Dictionary.cs index 4d12aff28f26..7364d869e533 100644 --- a/sdk/tables/Azure.Data.Tables/src/TableEntity.Dictionary.cs +++ b/sdk/tables/Azure.Data.Tables/src/TableEntity.Dictionary.cs @@ -58,10 +58,14 @@ public object this[string key] /// bool ICollection>.Remove(KeyValuePair item) => _properties.Remove(item); - /// - public IEnumerator> GetEnumerator() => _properties.GetEnumerator(); + /// + /// Gets the enumerator for the properties. + /// + IEnumerator> IEnumerable>.GetEnumerator() => _properties.GetEnumerator(); - /// - IEnumerator IEnumerable.GetEnumerator() => GetEnumerator(); + /// + /// Gets the enumerator for the properties. + /// + IEnumerator IEnumerable.GetEnumerator() => _properties.GetEnumerator(); } } diff --git a/sdk/tables/Azure.Data.Tables/src/TableErrorCode.cs b/sdk/tables/Azure.Data.Tables/src/TableErrorCode.cs index 84b0740cc0ea..c7157aba7203 100644 --- a/sdk/tables/Azure.Data.Tables/src/TableErrorCode.cs +++ b/sdk/tables/Azure.Data.Tables/src/TableErrorCode.cs @@ -54,11 +54,11 @@ public TableErrorCode(string value) private const string MediaTypeNotSupportedValue = "MediaTypeNotSupported"; private const string MethodNotAllowedValue = "MethodNotAllowed"; private const string ContentLengthExceededValue = "ContentLengthExceeded"; - private const string AccountIOPSLimitExceededValue = "AccountIOPSLimitExceeded"; - private const string CannotCreateTableWithIOPSGreaterThanMaxAllowedPerTableValue = "CannotCreateTableWithIOPSGreaterThanMaxAllowedPerTable"; - private const string PerTableIOPSIncrementLimitReachedValue = "PerTableIOPSIncrementLimitReached"; - private const string PerTableIOPSDecrementLimitReachedValue = "PerTableIOPSDecrementLimitReached"; - private const string SettingIOPSForATableInProvisioningNotAllowedValue = "SettingIOPSForATableInProvisioningNotAllowed"; + private const string AccountIopsLimitExceededValue = "AccountIOPSLimitExceeded"; + private const string CannotCreateTableWithIopsGreaterThanMaxAllowedPerTableValue = "CannotCreateTableWithIOPSGreaterThanMaxAllowedPerTable"; + private const string PerTableIopsIncrementLimitReachedValue = "PerTableIOPSIncrementLimitReached"; + private const string PerTableIopsDecrementLimitReachedValue = "PerTableIOPSDecrementLimitReached"; + private const string SettingIopsForATableInProvisioningNotAllowedValue = "SettingIOPSForATableInProvisioningNotAllowed"; private const string PartitionKeyEqualityComparisonExpectedValue = "PartitionKeyEqualityComparisonExpected"; private const string PartitionKeySpecifiedMoreThanOnceValue = "PartitionKeySpecifiedMoreThanOnce"; private const string InvalidInputValue = "InvalidInput"; @@ -173,19 +173,19 @@ public TableErrorCode(string value) public static TableErrorCode ContentLengthExceeded { get; } = new TableErrorCode(ContentLengthExceededValue); /// AccountIOPSLimitExceeded. - public static TableErrorCode AccountIOPSLimitExceeded { get; } = new TableErrorCode(AccountIOPSLimitExceededValue); + public static TableErrorCode AccountIOPSLimitExceeded { get; } = new TableErrorCode(AccountIopsLimitExceededValue); /// CannotCreateTableWithIOPSGreaterThanMaxAllowedPerTable. - public static TableErrorCode CannotCreateTableWithIOPSGreaterThanMaxAllowedPerTable { get; } = new TableErrorCode(CannotCreateTableWithIOPSGreaterThanMaxAllowedPerTableValue); + public static TableErrorCode CannotCreateTableWithIOPSGreaterThanMaxAllowedPerTable { get; } = new TableErrorCode(CannotCreateTableWithIopsGreaterThanMaxAllowedPerTableValue); /// PerTableIOPSIncrementLimitReached. - public static TableErrorCode PerTableIOPSIncrementLimitReached { get; } = new TableErrorCode(PerTableIOPSIncrementLimitReachedValue); + public static TableErrorCode PerTableIOPSIncrementLimitReached { get; } = new TableErrorCode(PerTableIopsIncrementLimitReachedValue); /// PerTableIOPSDecrementLimitReached. - public static TableErrorCode PerTableIOPSDecrementLimitReached { get; } = new TableErrorCode(PerTableIOPSDecrementLimitReachedValue); + public static TableErrorCode PerTableIOPSDecrementLimitReached { get; } = new TableErrorCode(PerTableIopsDecrementLimitReachedValue); /// SettingIOPSForATableInProvisioningNotAllowed. - public static TableErrorCode SettingIOPSForATableInProvisioningNotAllowed { get; } = new TableErrorCode(SettingIOPSForATableInProvisioningNotAllowedValue); + public static TableErrorCode SettingIOPSForATableInProvisioningNotAllowed { get; } = new TableErrorCode(SettingIopsForATableInProvisioningNotAllowedValue); /// PartitionKeyEqualityComparisonExpected. public static TableErrorCode PartitionKeyEqualityComparisonExpected { get; } = new TableErrorCode(PartitionKeyEqualityComparisonExpectedValue); diff --git a/sdk/tables/Azure.Data.Tables/src/TableItem.cs b/sdk/tables/Azure.Data.Tables/src/TableItem.cs index e7371a740ec0..5be58810599e 100644 --- a/sdk/tables/Azure.Data.Tables/src/TableItem.cs +++ b/sdk/tables/Azure.Data.Tables/src/TableItem.cs @@ -22,5 +22,8 @@ public partial class TableItem /// The name of the table. [CodeGenMember("TableName")] public string Name { get; } + + /// Initializes a new instance of TableItem. + public TableItem(string name) { Name = name; } } } diff --git a/sdk/tables/Azure.Data.Tables/src/TableOdataFilter.cs b/sdk/tables/Azure.Data.Tables/src/TableOdataFilter.cs index 113fb093408c..336c3da5ab54 100644 --- a/sdk/tables/Azure.Data.Tables/src/TableOdataFilter.cs +++ b/sdk/tables/Azure.Data.Tables/src/TableOdataFilter.cs @@ -14,8 +14,8 @@ namespace Azure.Data.Tables /// The class is used to help construct valid OData filter /// expressions, like the kind used by , /// , - /// , and - /// , + /// , and + /// , /// by automatically replacing, quoting, and escaping interpolated parameters. /// For more information, see Constructing Filter Strings. /// diff --git a/sdk/tables/Azure.Data.Tables/src/TableRetentionPolicy.cs b/sdk/tables/Azure.Data.Tables/src/TableRetentionPolicy.cs new file mode 100644 index 000000000000..47dc8b997116 --- /dev/null +++ b/sdk/tables/Azure.Data.Tables/src/TableRetentionPolicy.cs @@ -0,0 +1,11 @@ +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License. + +using Azure.Core; + +namespace Azure.Data.Tables +{ + [CodeGenModel("RetentionPolicy")] + public partial class TableRetentionPolicy + { } +} diff --git a/sdk/tables/Azure.Data.Tables/src/TableServiceClient.cs b/sdk/tables/Azure.Data.Tables/src/TableServiceClient.cs index 1413a1662798..51bdac16d0cf 100644 --- a/sdk/tables/Azure.Data.Tables/src/TableServiceClient.cs +++ b/sdk/tables/Azure.Data.Tables/src/TableServiceClient.cs @@ -28,6 +28,7 @@ public class TableServiceClient private readonly QueryOptions _defaultQueryOptions = new QueryOptions() { Format = OdataMetadataFormat.ApplicationJsonOdataMinimalmetadata }; private string _accountName; private readonly Uri _endpoint; + private readonly HttpPipeline _pipeline; /// /// The name of the table account with which this client instance will interact. @@ -89,7 +90,7 @@ public TableServiceClient(string connectionString) /// /// Optional client options that define the transport pipeline policies for authentication, retries, etc., that are applied to every request. /// - public TableServiceClient(Uri endpoint, AzureSasCredential credential, TableClientOptions options = null) + public TableServiceClient(Uri endpoint, AzureSasCredential credential, TablesClientOptions options = null) : this(endpoint, default, credential, options) { if (endpoint.Scheme != Uri.UriSchemeHttps) @@ -125,7 +126,7 @@ public TableServiceClient(Uri endpoint, TableSharedKeyCredential credential) /// /// Optional client options that define the transport pipeline policies for authentication, retries, etc., that are applied to every request. /// - public TableServiceClient(Uri endpoint, TableSharedKeyCredential credential, TableClientOptions options) + public TableServiceClient(Uri endpoint, TableSharedKeyCredential credential, TablesClientOptions options) : this(endpoint, new TableSharedKeyPipelinePolicy(credential), default, options) { Argument.AssertNotNull(credential, nameof(credential)); @@ -146,14 +147,14 @@ public TableServiceClient(Uri endpoint, TableSharedKeyCredential credential, Tab /// /// Optional client options that define the transport pipeline policies for authentication, retries, etc., that are applied to every request. /// - public TableServiceClient(string connectionString, TableClientOptions options = null) + public TableServiceClient(string connectionString, TablesClientOptions options = null) { Argument.AssertNotNull(connectionString, nameof(connectionString)); TableConnectionString connString = TableConnectionString.Parse(connectionString); _accountName = connString._accountName; - options ??= new TableClientOptions(); + options ??= new TablesClientOptions(); var endpointString = connString.TableStorageUri.PrimaryUri.AbsoluteUri; var secondaryEndpoint = connString.TableStorageUri.SecondaryUri?.AbsoluteUri; _isCosmosEndpoint = TableServiceClient.IsPremiumEndpoint(connString.TableStorageUri.PrimaryUri); @@ -164,21 +165,25 @@ public TableServiceClient(string connectionString, TableClientOptions options = TableSharedKeyCredential credential => new TableSharedKeyPipelinePolicy(credential), _ => default }; - HttpPipeline pipeline = HttpPipelineBuilder.Build(options, perCallPolicies: perCallPolicies, perRetryPolicies: new[] { policy }, new ResponseClassifier()); + _pipeline = HttpPipelineBuilder.Build( + options, + perCallPolicies: perCallPolicies, + perRetryPolicies: new[] { policy }, + new ResponseClassifier()); _version = options.VersionString; _diagnostics = new TablesClientDiagnostics(options); - _tableOperations = new TableRestClient(_diagnostics, pipeline, endpointString, _version); - _serviceOperations = new ServiceRestClient(_diagnostics, pipeline, endpointString, _version); - _secondaryServiceOperations = new ServiceRestClient(_diagnostics, pipeline, secondaryEndpoint, _version); + _tableOperations = new TableRestClient(_diagnostics, _pipeline, endpointString, _version); + _serviceOperations = new ServiceRestClient(_diagnostics, _pipeline, endpointString, _version); + _secondaryServiceOperations = new ServiceRestClient(_diagnostics, _pipeline, secondaryEndpoint, _version); } - internal TableServiceClient(Uri endpoint, TableSharedKeyPipelinePolicy policy, AzureSasCredential sasCredential, TableClientOptions options) + internal TableServiceClient(Uri endpoint, TableSharedKeyPipelinePolicy policy, AzureSasCredential sasCredential, TablesClientOptions options) { Argument.AssertNotNull(endpoint, nameof(endpoint)); _endpoint = endpoint; - options ??= new TableClientOptions(); + options ??= new TablesClientOptions(); _isCosmosEndpoint = IsPremiumEndpoint(endpoint); var perCallPolicies = _isCosmosEndpoint ? new[] { new CosmosPatchTransformPolicy() } : Array.Empty(); var endpointString = endpoint.AbsoluteUri; @@ -189,13 +194,17 @@ internal TableServiceClient(Uri endpoint, TableSharedKeyPipelinePolicy policy, A null => policy, _ => new AzureSasCredentialSynchronousPolicy(sasCredential) }; - HttpPipeline pipeline = HttpPipelineBuilder.Build(options, perCallPolicies: perCallPolicies, perRetryPolicies: new[] { authPolicy }, new ResponseClassifier()); + _pipeline = HttpPipelineBuilder.Build( + options, + perCallPolicies: perCallPolicies, + perRetryPolicies: new[] { authPolicy }, + new ResponseClassifier()); _version = options.VersionString; _diagnostics = new TablesClientDiagnostics(options); - _tableOperations = new TableRestClient(_diagnostics, pipeline, endpointString, _version); - _serviceOperations = new ServiceRestClient(_diagnostics, pipeline, endpointString, _version); - _secondaryServiceOperations = new ServiceRestClient(_diagnostics, pipeline, secondaryEndpoint, _version); + _tableOperations = new TableRestClient(_diagnostics, _pipeline, endpointString, _version); + _serviceOperations = new ServiceRestClient(_diagnostics, _pipeline, endpointString, _version); + _secondaryServiceOperations = new ServiceRestClient(_diagnostics, _pipeline, secondaryEndpoint, _version); } /// @@ -221,7 +230,10 @@ protected TableServiceClient() /// containing the accessible resource types. /// The time at which the shared access signature becomes invalid. /// An instance of . - public virtual TableAccountSasBuilder GetSasBuilder(TableAccountSasPermissions permissions, TableAccountSasResourceTypes resourceTypes, DateTimeOffset expiresOn) + public virtual TableAccountSasBuilder GetSasBuilder( + TableAccountSasPermissions permissions, + TableAccountSasResourceTypes resourceTypes, + DateTimeOffset expiresOn) { return new TableAccountSasBuilder(permissions, resourceTypes, expiresOn) { Version = _version }; } @@ -247,25 +259,28 @@ public virtual TableClient GetTableClient(string tableName) { Argument.AssertNotNull(tableName, nameof(tableName)); - return new TableClient(tableName, _tableOperations, _version, _diagnostics, _isCosmosEndpoint, _endpoint); + return new TableClient(tableName, _tableOperations, _version, _diagnostics, _isCosmosEndpoint, _endpoint, _pipeline); } /// /// Gets a list of tables from the storage account. /// - /// Returns only tables that satisfy the specified filter. + /// + /// Returns only tables that satisfy the specified filter. + /// For example, the following would filter tables with a Name of 'foo': "TableName eq 'foo'". + /// /// /// The maximum number of tables that will be returned per page. /// Note: This value does not limit the total number of results if the result is fully enumerated. /// /// A controlling the request lifetime. /// An containing a collection of s. - public virtual AsyncPageable GetTablesAsync(string filter = null, int? maxPerPage = null, CancellationToken cancellationToken = default) + public virtual AsyncPageable QueryAsync(string filter = null, int? maxPerPage = null, CancellationToken cancellationToken = default) { return PageableHelpers.CreateAsyncEnumerable( async pageSizeHint => { - using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(TableServiceClient)}.{nameof(GetTables)}"); + using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(TableServiceClient)}.{nameof(Query)}"); scope.Start(); try { @@ -284,7 +299,7 @@ public virtual AsyncPageable GetTablesAsync(string filter = null, int }, async (nextLink, pageSizeHint) => { - using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(TableServiceClient)}.{nameof(GetTables)}"); + using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(TableServiceClient)}.{nameof(Query)}"); scope.Start(); try { @@ -307,19 +322,22 @@ public virtual AsyncPageable GetTablesAsync(string filter = null, int /// /// Gets a list of tables from the storage account. /// - /// Returns only tables that satisfy the specified filter. + /// + /// Returns only tables that satisfy the specified filter. + /// For example, the following would filter tables with a Name of 'foo': "TableName eq 'foo'". + /// /// /// The maximum number tables that will be returned per page. /// Note: This value does not limit the total number of results if the result is fully enumerated. /// /// A controlling the request lifetime. /// An containing a collection of . - public virtual Pageable GetTables(string filter = null, int? maxPerPage = null, CancellationToken cancellationToken = default) + public virtual Pageable Query(string filter = null, int? maxPerPage = null, CancellationToken cancellationToken = default) { return PageableHelpers.CreateEnumerable( pageSizeHint => { - using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(TableServiceClient)}.{nameof(GetTables)}"); + using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(TableServiceClient)}.{nameof(Query)}"); scope.Start(); try { @@ -337,12 +355,12 @@ public virtual Pageable GetTables(string filter = null, int? maxPerPa }, (nextLink, pageSizeHint) => { - using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(TableServiceClient)}.{nameof(GetTables)}"); + using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(TableServiceClient)}.{nameof(Query)}"); scope.Start(); try { var response = _tableOperations.Query( - nextTableName: nextLink, + nextLink, new QueryOptions() { Filter = filter, Select = null, Top = pageSizeHint, Format = _format }, cancellationToken); return Page.FromValues(response.Value.Value, response.Headers.XMsContinuationNextTableName, response.GetRawResponse()); @@ -356,6 +374,66 @@ public virtual Pageable GetTables(string filter = null, int? maxPerPa maxPerPage); } + /// + /// Gets a list of tables from the storage account. + /// + /// + /// Returns only tables that satisfy the specified filter expression. + /// For example, the following would filter tables with a Name of 'foo': "TableName eq {someStringVariable}". + /// The filter string will be properly quoted and escaped. + /// + /// + /// The maximum number of entities that will be returned per page. + /// Note: This value does not limit the total number of results if the result is fully enumerated. + /// + /// A controlling the request lifetime. + /// An containing a collection of s. + /// The server returned an error. See for details returned from the server. + public virtual AsyncPageable QueryAsync(FormattableString filter, int? maxPerPage = null, CancellationToken cancellationToken = default) + { + using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(TableClient)}.{nameof(Query)}"); + scope.Start(); + try + { + return QueryAsync(TableOdataFilter.Create(filter), maxPerPage, cancellationToken); + } + catch (Exception ex) + { + scope.Failed(ex); + throw; + } + } + + /// + /// Gets a list of tables from the storage account. + /// + /// + /// Returns only tables that satisfy the specified filter expression. + /// For example, the following would filter tables with a Name of 'foo': "TableName eq {someStringVariable}". + /// The filter string will be properly quoted and escaped. + /// + /// + /// The maximum number of entities that will be returned per page. + /// Note: This value does not limit the total number of results if the result is fully enumerated. + /// + /// A controlling the request lifetime. + /// An containing a collection of . + /// The server returned an error. See for details returned from the server. + public virtual Pageable Query(FormattableString filter, int? maxPerPage = null, CancellationToken cancellationToken = default) + { + using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(TableClient)}.{nameof(Query)}"); + scope.Start(); + try + { + return Query(TableOdataFilter.Create(filter), maxPerPage, cancellationToken); + } + catch (Exception ex) + { + scope.Failed(ex); + throw; + } + } + /// /// Gets a list of tables from the storage account. /// @@ -370,13 +448,16 @@ public virtual Pageable GetTables(string filter = null, int? maxPerPa /// A controlling the request lifetime. /// An containing a collection of s. /// The server returned an error. See for details returned from the server. - public virtual AsyncPageable GetTablesAsync(Expression> filter, int? maxPerPage = null, CancellationToken cancellationToken = default) + public virtual AsyncPageable QueryAsync( + Expression> filter, + int? maxPerPage = null, + CancellationToken cancellationToken = default) { - using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(TableClient)}.{nameof(GetTables)}"); + using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(TableClient)}.{nameof(Query)}"); scope.Start(); try { - return GetTablesAsync(TableClient.Bind(filter), maxPerPage, cancellationToken); + return QueryAsync(TableClient.Bind(filter), maxPerPage, cancellationToken); } catch (Exception ex) { @@ -399,13 +480,13 @@ public virtual AsyncPageable GetTablesAsync(ExpressionA controlling the request lifetime. /// An containing a collection of . /// The server returned an error. See for details returned from the server. - public virtual Pageable GetTables(Expression> filter, int? maxPerPage = null, CancellationToken cancellationToken = default) + public virtual Pageable Query(Expression> filter, int? maxPerPage = null, CancellationToken cancellationToken = default) { - using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(TableClient)}.{nameof(GetTables)}"); + using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(TableClient)}.{nameof(Query)}"); scope.Start(); try { - return GetTables(TableClient.Bind(filter), maxPerPage, cancellationToken); + return Query(TableClient.Bind(filter), maxPerPage, cancellationToken); } catch (Exception ex) { @@ -427,7 +508,11 @@ public virtual Response CreateTable(string tableName, CancellationTok scope.Start(); try { - var response = _tableOperations.Create(new TableProperties() { TableName = tableName }, null, queryOptions: _defaultQueryOptions, cancellationToken: cancellationToken); + var response = _tableOperations.Create( + new TableProperties() { TableName = tableName }, + null, + queryOptions: _defaultQueryOptions, + cancellationToken: cancellationToken); return Response.FromValue(response.Value as TableItem, response.GetRawResponse()); } catch (Exception ex) @@ -450,7 +535,12 @@ public virtual async Task> CreateTableAsync(string tableName scope.Start(); try { - var response = await _tableOperations.CreateAsync(new TableProperties() { TableName = tableName }, null, queryOptions: _defaultQueryOptions, cancellationToken: cancellationToken).ConfigureAwait(false); + var response = await _tableOperations.CreateAsync( + new TableProperties() { TableName = tableName }, + null, + queryOptions: _defaultQueryOptions, + cancellationToken: cancellationToken) + .ConfigureAwait(false); return Response.FromValue(response.Value as TableItem, response.GetRawResponse()); } catch (Exception ex) @@ -473,7 +563,11 @@ public virtual Response CreateTableIfNotExists(string tableName, Canc scope.Start(); try { - var response = _tableOperations.Create(new TableProperties() { TableName = tableName }, null, queryOptions: _defaultQueryOptions, cancellationToken: cancellationToken); + var response = _tableOperations.Create( + new TableProperties() { TableName = tableName }, + null, + queryOptions: _defaultQueryOptions, + cancellationToken: cancellationToken); return Response.FromValue(response.Value as TableItem, response.GetRawResponse()); } catch (RequestFailedException ex) when (ex.Status == (int)HttpStatusCode.Conflict) @@ -500,7 +594,12 @@ public virtual async Task> CreateTableIfNotExistsAsync(strin scope.Start(); try { - var response = await _tableOperations.CreateAsync(new TableProperties() { TableName = tableName }, null, queryOptions: _defaultQueryOptions, cancellationToken: cancellationToken).ConfigureAwait(false); + var response = await _tableOperations.CreateAsync( + new TableProperties() { TableName = tableName }, + null, + queryOptions: _defaultQueryOptions, + cancellationToken: cancellationToken) + .ConfigureAwait(false); return Response.FromValue(response.Value as TableItem, response.GetRawResponse()); } catch (RequestFailedException ex) when (ex.Status == (int)HttpStatusCode.Conflict) @@ -522,11 +621,22 @@ public virtual async Task> CreateTableIfNotExistsAsync(strin /// The indicating the result of the operation. public virtual Response DeleteTable(string tableName, CancellationToken cancellationToken = default) { + Argument.AssertNotNull(tableName, nameof(tableName)); using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(TableServiceClient)}.{nameof(DeleteTable)}"); scope.Start(); try { - return _tableOperations.Delete(tableName, cancellationToken: cancellationToken); + using var message = _tableOperations.CreateDeleteRequest(tableName); + _pipeline.Send(message, cancellationToken); + + switch (message.Response.Status) + { + case 404: + case 204: + return message.Response; + default: + throw _diagnostics.CreateRequestFailedException(message.Response); + } } catch (Exception ex) { @@ -543,11 +653,22 @@ public virtual Response DeleteTable(string tableName, CancellationToken cancella /// The indicating the result of the operation. public virtual async Task DeleteTableAsync(string tableName, CancellationToken cancellationToken = default) { + Argument.AssertNotNull(tableName, nameof(tableName)); using DiagnosticScope scope = _diagnostics.CreateScope($"{nameof(TableServiceClient)}.{nameof(DeleteTable)}"); scope.Start(); try { - return await _tableOperations.DeleteAsync(tableName, cancellationToken: cancellationToken).ConfigureAwait(false); + using var message = _tableOperations.CreateDeleteRequest(tableName); + await _pipeline.SendAsync(message, cancellationToken).ConfigureAwait(false); + + switch (message.Response.Status) + { + case 404: + case 204: + return message.Response; + default: + throw _diagnostics.CreateRequestFailedException(message.Response); + } } catch (Exception ex) { diff --git a/sdk/tables/Azure.Data.Tables/src/TableSignedIdentifier.cs b/sdk/tables/Azure.Data.Tables/src/TableSignedIdentifier.cs new file mode 100644 index 000000000000..b21c729d88c2 --- /dev/null +++ b/sdk/tables/Azure.Data.Tables/src/TableSignedIdentifier.cs @@ -0,0 +1,11 @@ +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License. + +using Azure.Core; + +namespace Azure.Data.Tables +{ + [CodeGenModel("SignedIdentifier")] + public partial class TableSignedIdentifier + { } +} diff --git a/sdk/tables/Azure.Data.Tables/src/TableClientOptions.cs b/sdk/tables/Azure.Data.Tables/src/TablesClientOptions.cs similarity index 82% rename from sdk/tables/Azure.Data.Tables/src/TableClientOptions.cs rename to sdk/tables/Azure.Data.Tables/src/TablesClientOptions.cs index 4aa15c2900bc..1311e0baa22c 100644 --- a/sdk/tables/Azure.Data.Tables/src/TableClientOptions.cs +++ b/sdk/tables/Azure.Data.Tables/src/TablesClientOptions.cs @@ -9,24 +9,24 @@ namespace Azure.Data.Tables /// /// Options to configure the requests to the Table service. /// - public class TableClientOptions : ClientOptions + public class TablesClientOptions : ClientOptions { /// /// The versions of Azure Tables supported by this client /// library. /// private const ServiceVersion Latest = ServiceVersion.V2019_02_02; - internal static TableClientOptions Default { get; } = new TableClientOptions(); + internal static TablesClientOptions Default { get; } = new TablesClientOptions(); /// - /// Initializes a new instance of the class. + /// Initializes a new instance of the class. /// class. /// /// /// The of the service API used when /// making requests. /// - public TableClientOptions(ServiceVersion serviceVersion = Latest) + public TablesClientOptions(ServiceVersion serviceVersion = Latest) { VersionString = serviceVersion switch { diff --git a/sdk/tables/Azure.Data.Tables/src/TablesModelFactory.cs b/sdk/tables/Azure.Data.Tables/src/TablesModelFactory.cs deleted file mode 100644 index b89eddc6f64c..000000000000 --- a/sdk/tables/Azure.Data.Tables/src/TablesModelFactory.cs +++ /dev/null @@ -1,21 +0,0 @@ -// Copyright (c) Microsoft Corporation. All rights reserved. -// Licensed under the MIT License. - -using Azure.Data.Tables.Models; - -namespace Azure.Data.Tables -{ - /// - /// A factory class which constructs model classes for mocking purposes. - /// - public static class TablesModelFactory - { - /// Initializes a new instance of TableItem. - /// The name of the table. - /// The odata type of the table. - /// The id of the table. - /// The edit link of the table. - public static TableItem TableItem(string tableName, string odataType, string odataId, string odataEditLink) => - new TableItem(tableName, odataType, odataId, odataEditLink); - } -} diff --git a/sdk/tables/Azure.Data.Tables/tests/ExtractFailureContentTests.cs b/sdk/tables/Azure.Data.Tables/tests/ExtractFailureContentTests.cs index 71b0520917cb..5dd7e2e15508 100644 --- a/sdk/tables/Azure.Data.Tables/tests/ExtractFailureContentTests.cs +++ b/sdk/tables/Azure.Data.Tables/tests/ExtractFailureContentTests.cs @@ -20,7 +20,7 @@ public class ExtractFailureContentTests private static string TableBeingDeleted = "{\"odata.error\":{\"code\":\"TableBeingDeleted\",\"message\":{\"lang\":\"en-US\",\"value\":\"" + messageValue + "\"}}}"; private static string BatchError = "{\"odata.error\":{\"code\":\"EntityAlreadyExists\",\"message\":{\"lang\":\"en-us\",\"value\":\"" + failedEntityIndex + batchMessage + "\"}}}"; - private static TablesClientDiagnostics diagnostic = new(new TableClientOptions()); + private static TablesClientDiagnostics diagnostic = new(new TablesClientOptions()); // Incoming Exception, Expected Exception, Expected TableErrorCode public static IEnumerable OdataErrorTestInputs() diff --git a/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(CosmosTable)/EntityDeleteRespectsEtag.json b/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(CosmosTable)/EntityDeleteRespectsEtag.json index 175a0fecb7b2..22c286860422 100644 --- a/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(CosmosTable)/EntityDeleteRespectsEtag.json +++ b/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(CosmosTable)/EntityDeleteRespectsEtag.json @@ -1,7 +1,7 @@ { "Entries": [ { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "POST", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", @@ -9,13 +9,13 @@ "Content-Length": "33", "Content-Type": "application/json; odata=nometadata", "DataServiceVersion": "3.0", - "traceparent": "00-2903f87d4ce7af4eb93c04f70494d5fd-6114e0924558ba4b-00", + "traceparent": "00-d553a76efa869545b05f307ff4eba33b-a4c14feb9a898148-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "b903f1d10763767cecfc37dd34b1e596", - "x-ms-date": "Tue, 23 Mar 2021 18:28:21 GMT", + "x-ms-date": "Fri, 30 Apr 2021 18:07:38 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -25,20 +25,20 @@ "StatusCode": 201, "ResponseHeaders": { "Content-Type": "application/json; odata=minimalmetadata", - "Date": "Tue, 23 Mar 2021 18:28:24 GMT", - "ETag": "W/\u0022datetime\u00272021-03-23T18%3A28%3A24.3706888Z\u0027\u0022", - "Location": "https://jverazsdkprim.table.cosmos.azure.com/Tables(\u0027testtablexzo4cb8p\u0027)", + "Date": "Fri, 30 Apr 2021 18:07:39 GMT", + "ETag": "W/\u0022datetime\u00272021-04-30T18%3A07%3A38.7054088Z\u0027\u0022", + "Location": "https://chrisstablesprim.table.cosmos.azure.com/Tables(\u0027testtablexzo4cb8p\u0027)", "Server": "Microsoft-HTTPAPI/2.0", "Transfer-Encoding": "chunked", "x-ms-request-id": "b903f1d1-0763-767c-ecfc-37dd34b1e596" }, "ResponseBody": { "TableName": "testtablexzo4cb8p", - "odata.metadata": "https://jverazsdkprim.table.cosmos.azure.com/$metadata#Tables/@Element" + "odata.metadata": "https://chrisstablesprim.table.cosmos.azure.com/$metadata#Tables/@Element" } }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/testtablexzo4cb8p(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/testtablexzo4cb8p(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "PUT", "RequestHeaders": { "Accept": "application/json", @@ -46,13 +46,13 @@ "Content-Length": "88", "Content-Type": "application/json", "DataServiceVersion": "3.0", - "traceparent": "00-13c885e661168e40b8c867596ab8070b-64017f1674fc3048-00", + "traceparent": "00-23f2a0f532a83b4f9a996da93877ea54-d9f9120ba9fc3a4c-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "7416c8b1f3dad0d0737c01940e37146a", - "x-ms-date": "Tue, 23 Mar 2021 18:28:21 GMT", + "x-ms-date": "Fri, 30 Apr 2021 18:07:39 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -65,27 +65,27 @@ "ResponseHeaders": { "Content-Length": "0", "Content-Type": "application/json", - "Date": "Tue, 23 Mar 2021 18:28:24 GMT", - "ETag": "W/\u0022datetime\u00272021-03-23T18%3A28%3A24.7562248Z\u0027\u0022", + "Date": "Fri, 30 Apr 2021 18:07:39 GMT", + "ETag": "W/\u0022datetime\u00272021-04-30T18%3A07%3A39.3648648Z\u0027\u0022", "Server": "Microsoft-HTTPAPI/2.0", "x-ms-request-id": "7416c8b1-f3da-d0d0-737c-01940e37146a" }, "ResponseBody": [] }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/testtablexzo4cb8p()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/testtablexzo4cb8p()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", "RequestMethod": "GET", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "traceparent": "00-6a53b2f9bf09b943b35f21b79e6c959b-b760676c256fd54e-00", + "traceparent": "00-769725c381e75144af5bc08a37a67e70-a3314e40fccf8b41-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "1cdccd32c06b8de3bf7d292604e98a4d", - "x-ms-date": "Tue, 23 Mar 2021 18:28:21 GMT", + "x-ms-date": "Fri, 30 Apr 2021 18:07:39 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -93,7 +93,7 @@ "StatusCode": 200, "ResponseHeaders": { "Content-Type": "application/json; odata=minimalmetadata", - "Date": "Tue, 23 Mar 2021 18:28:24 GMT", + "Date": "Fri, 30 Apr 2021 18:07:39 GMT", "Server": "Microsoft-HTTPAPI/2.0", "Transfer-Encoding": "chunked", "x-ms-request-id": "1cdccd32-c06b-8de3-bf7d-292604e98a4d" @@ -101,31 +101,31 @@ "ResponseBody": { "value": [ { - "odata.etag": "W/\u0022datetime\u00272021-03-23T18%3A28%3A24.7562248Z\u0027\u0022", + "odata.etag": "W/\u0022datetime\u00272021-04-30T18%3A07%3A39.3648648Z\u0027\u0022", "PartitionKey": "somPartition", "RowKey": "1", "SomeStringProperty": "This is the original", - "Timestamp": "2021-03-23T18:28:24.7562248Z" + "Timestamp": "2021-04-30T18:07:39.3648648Z" } ], - "odata.metadata": "https://jverazsdkprim.table.cosmos.azure.com/$metadata#testtablexzo4cb8p" + "odata.metadata": "https://chrisstablesprim.table.cosmos.azure.com/$metadata#testtablexzo4cb8p" } }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/testtablexzo4cb8p(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/testtablexzo4cb8p(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", "If-Match": "*", - "traceparent": "00-dc3c848abb7087449f03d1c0afb1a116-1158d926e6239241-00", + "traceparent": "00-c7a2c21fa0c6fb4f985b2f93a03be857-33f83a2ccbc9ff41-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "0f0afe0fcf80fef732e8f08b7ae1dec5", - "x-ms-date": "Tue, 23 Mar 2021 18:28:21 GMT", + "x-ms-date": "Fri, 30 Apr 2021 18:07:39 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -133,26 +133,57 @@ "StatusCode": 204, "ResponseHeaders": { "Content-Length": "0", - "Date": "Tue, 23 Mar 2021 18:28:24 GMT", + "Date": "Fri, 30 Apr 2021 18:07:39 GMT", "Server": "Microsoft-HTTPAPI/2.0", "x-ms-request-id": "0f0afe0f-cf80-fef7-32e8-f08b7ae1dec5" }, "ResponseBody": [] }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/testtablexzo4cb8p()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", - "RequestMethod": "GET", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/testtablexzo4cb8p(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "traceparent": "00-b621690d10a54040aac9517ec7ce906c-35f662e4ec3df245-00", + "If-Match": "*", + "traceparent": "00-145fc9ed3aa84f48800508640fed0c52-7a09a15eaac06e43-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "e40173227909f05fe489b45cc9a9cc89", - "x-ms-date": "Tue, 23 Mar 2021 18:28:21 GMT", + "x-ms-date": "Fri, 30 Apr 2021 18:07:40 GMT", + "x-ms-return-client-request-id": "true", + "x-ms-version": "2019-02-02" + }, + "RequestBody": null, + "StatusCode": 404, + "ResponseHeaders": { + "Content-Type": "application/json; odata=fullmetadata", + "Date": "Fri, 30 Apr 2021 18:07:39 GMT", + "Server": "Microsoft-HTTPAPI/2.0", + "Transfer-Encoding": "chunked", + "x-ms-request-id": "e4017322-7909-f05f-e489-b45cc9a9cc89" + }, + "ResponseBody": [ + "{\u0022odata.error\u0022:{\u0022code\u0022:\u0022ResourceNotFound\u0022,\u0022message\u0022:{\u0022lang\u0022:\u0022en-us\u0022,\u0022value\u0022:\u0022The specified resource does not exist.\\nRequestID:e4017322-7909-f05f-e489-b45cc9a9cc89\\n\u0022}}}\r\n" + ] + }, + { + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/testtablexzo4cb8p()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", + "RequestMethod": "GET", + "RequestHeaders": { + "Accept": "application/json; odata=minimalmetadata", + "Authorization": "Sanitized", + "DataServiceVersion": "3.0", + "traceparent": "00-34bd32fdea41ac408c748d698a5b8bcd-831a79b8c362bd4d-00", + "User-Agent": [ + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" + ], + "x-ms-client-request-id": "1085b3f1052c63ead5dde983cf5812de", + "x-ms-date": "Fri, 30 Apr 2021 18:07:40 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -160,18 +191,18 @@ "StatusCode": 200, "ResponseHeaders": { "Content-Type": "application/json; odata=minimalmetadata", - "Date": "Tue, 23 Mar 2021 18:28:24 GMT", + "Date": "Fri, 30 Apr 2021 18:07:39 GMT", "Server": "Microsoft-HTTPAPI/2.0", "Transfer-Encoding": "chunked", - "x-ms-request-id": "e4017322-7909-f05f-e489-b45cc9a9cc89" + "x-ms-request-id": "1085b3f1-052c-63ea-d5dd-e983cf5812de" }, "ResponseBody": { "value": [], - "odata.metadata": "https://jverazsdkprim.table.cosmos.azure.com/$metadata#testtablexzo4cb8p" + "odata.metadata": "https://chrisstablesprim.table.cosmos.azure.com/$metadata#testtablexzo4cb8p" } }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/testtablexzo4cb8p(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/testtablexzo4cb8p(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "PUT", "RequestHeaders": { "Accept": "application/json", @@ -179,13 +210,13 @@ "Content-Length": "88", "Content-Type": "application/json", "DataServiceVersion": "3.0", - "traceparent": "00-0ef47e0b55c1de42aebce2adcf2ca4c3-44ddfc7d55d48d45-00", + "traceparent": "00-2c9cdd25bd51434581db6f9a23324534-9678078179d5bd4d-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "1085b3f1052c63ead5dde983cf5812de", - "x-ms-date": "Tue, 23 Mar 2021 18:28:21 GMT", + "x-ms-client-request-id": "9104649fa6e795449e1a2af61a9a3588", + "x-ms-date": "Fri, 30 Apr 2021 18:07:40 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -198,27 +229,27 @@ "ResponseHeaders": { "Content-Length": "0", "Content-Type": "application/json", - "Date": "Tue, 23 Mar 2021 18:28:24 GMT", - "ETag": "W/\u0022datetime\u00272021-03-23T18%3A28%3A24.8676360Z\u0027\u0022", + "Date": "Fri, 30 Apr 2021 18:07:39 GMT", + "ETag": "W/\u0022datetime\u00272021-04-30T18%3A07%3A39.8097928Z\u0027\u0022", "Server": "Microsoft-HTTPAPI/2.0", - "x-ms-request-id": "1085b3f1-052c-63ea-d5dd-e983cf5812de" + "x-ms-request-id": "9104649f-a6e7-9544-9e1a-2af61a9a3588" }, "ResponseBody": [] }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/testtablexzo4cb8p()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/testtablexzo4cb8p()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", "RequestMethod": "GET", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "traceparent": "00-9774787fb2b1514c9d2fa0a5fcb714b8-36c3fef971d41e4d-00", + "traceparent": "00-06421fc482b1934a9c72fb05658794d4-f29ef5455dc47d4d-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "9104649fa6e795449e1a2af61a9a3588", - "x-ms-date": "Tue, 23 Mar 2021 18:28:21 GMT", + "x-ms-client-request-id": "c799671ccd5b1d98899e0e2b8fdc208c", + "x-ms-date": "Fri, 30 Apr 2021 18:07:40 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -226,39 +257,39 @@ "StatusCode": 200, "ResponseHeaders": { "Content-Type": "application/json; odata=minimalmetadata", - "Date": "Tue, 23 Mar 2021 18:28:24 GMT", + "Date": "Fri, 30 Apr 2021 18:07:39 GMT", "Server": "Microsoft-HTTPAPI/2.0", "Transfer-Encoding": "chunked", - "x-ms-request-id": "9104649f-a6e7-9544-9e1a-2af61a9a3588" + "x-ms-request-id": "c799671c-cd5b-1d98-899e-0e2b8fdc208c" }, "ResponseBody": { "value": [ { - "odata.etag": "W/\u0022datetime\u00272021-03-23T18%3A28%3A24.8676360Z\u0027\u0022", + "odata.etag": "W/\u0022datetime\u00272021-04-30T18%3A07%3A39.8097928Z\u0027\u0022", "PartitionKey": "somPartition", "RowKey": "1", "SomeStringProperty": "This is the original", - "Timestamp": "2021-03-23T18:28:24.8676360Z" + "Timestamp": "2021-04-30T18:07:39.8097928Z" } ], - "odata.metadata": "https://jverazsdkprim.table.cosmos.azure.com/$metadata#testtablexzo4cb8p" + "odata.metadata": "https://chrisstablesprim.table.cosmos.azure.com/$metadata#testtablexzo4cb8p" } }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/testtablexzo4cb8p(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/testtablexzo4cb8p(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "If-Match": "W/\u0022datetime\u00272021-03-23T18%3A28%3A24.7562248Z\u0027\u0022", - "traceparent": "00-e31382e3a0fe5c47a4915bf3671efe52-d118ba542a229848-00", + "If-Match": "W/\u0022datetime\u00272021-04-30T18%3A07%3A39.3648648Z\u0027\u0022", + "traceparent": "00-5aa6b47c235eba49aacd7ae47444963a-3b7d362bba4e8d4f-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "c799671ccd5b1d98899e0e2b8fdc208c", - "x-ms-date": "Tue, 23 Mar 2021 18:28:22 GMT", + "x-ms-client-request-id": "64bdd6773ba54aa16ff07112daf3483b", + "x-ms-date": "Fri, 30 Apr 2021 18:07:40 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -266,30 +297,30 @@ "StatusCode": 412, "ResponseHeaders": { "Content-Type": "application/json; odata=fullmetadata", - "Date": "Tue, 23 Mar 2021 18:28:24 GMT", + "Date": "Fri, 30 Apr 2021 18:07:39 GMT", "Server": "Microsoft-HTTPAPI/2.0", "Transfer-Encoding": "chunked", - "x-ms-request-id": "c799671c-cd5b-1d98-899e-0e2b8fdc208c" + "x-ms-request-id": "64bdd677-3ba5-4aa1-6ff0-7112daf3483b" }, "ResponseBody": [ - "{\u0022odata.error\u0022:{\u0022code\u0022:\u0022UpdateConditionNotSatisfied\u0022,\u0022message\u0022:{\u0022lang\u0022:\u0022en-us\u0022,\u0022value\u0022:\u0022The update condition specified in the request was not satisfied.\\nRequestID:c799671c-cd5b-1d98-899e-0e2b8fdc208c\\n\u0022}}}\r\n" + "{\u0022odata.error\u0022:{\u0022code\u0022:\u0022UpdateConditionNotSatisfied\u0022,\u0022message\u0022:{\u0022lang\u0022:\u0022en-us\u0022,\u0022value\u0022:\u0022The update condition specified in the request was not satisfied.\\nRequestID:64bdd677-3ba5-4aa1-6ff0-7112daf3483b\\n\u0022}}}\r\n" ] }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/testtablexzo4cb8p(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/testtablexzo4cb8p(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "If-Match": "W/\u0022datetime\u00272021-03-23T18%3A28%3A24.8676360Z\u0027\u0022", - "traceparent": "00-74303356a13df348acc9ba2ae7455aab-a8bc7f3f693a414c-00", + "If-Match": "W/\u0022datetime\u00272021-04-30T18%3A07%3A39.8097928Z\u0027\u0022", + "traceparent": "00-6379b2eeef20ba4fbb0a7484615b88f0-267798dfac84284c-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "64bdd6773ba54aa16ff07112daf3483b", - "x-ms-date": "Tue, 23 Mar 2021 18:28:22 GMT", + "x-ms-client-request-id": "686760a84bbed182cbe70749971805c2", + "x-ms-date": "Fri, 30 Apr 2021 18:07:40 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -297,26 +328,26 @@ "StatusCode": 204, "ResponseHeaders": { "Content-Length": "0", - "Date": "Tue, 23 Mar 2021 18:28:24 GMT", + "Date": "Fri, 30 Apr 2021 18:07:39 GMT", "Server": "Microsoft-HTTPAPI/2.0", - "x-ms-request-id": "64bdd677-3ba5-4aa1-6ff0-7112daf3483b" + "x-ms-request-id": "686760a8-4bbe-d182-cbe7-0749971805c2" }, "ResponseBody": [] }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/testtablexzo4cb8p()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/testtablexzo4cb8p()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", "RequestMethod": "GET", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "traceparent": "00-6832c00046a1db49a6ddfaaea564c4e5-9538e56b85f46743-00", + "traceparent": "00-161770786178184c94ff7036d035454a-66a9094ff312fd44-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "686760a84bbed182cbe70749971805c2", - "x-ms-date": "Tue, 23 Mar 2021 18:28:22 GMT", + "x-ms-client-request-id": "447f9ef9d0dde0e3c54f576b5b864295", + "x-ms-date": "Fri, 30 Apr 2021 18:07:40 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -324,29 +355,29 @@ "StatusCode": 200, "ResponseHeaders": { "Content-Type": "application/json; odata=minimalmetadata", - "Date": "Tue, 23 Mar 2021 18:28:24 GMT", + "Date": "Fri, 30 Apr 2021 18:07:39 GMT", "Server": "Microsoft-HTTPAPI/2.0", "Transfer-Encoding": "chunked", - "x-ms-request-id": "686760a8-4bbe-d182-cbe7-0749971805c2" + "x-ms-request-id": "447f9ef9-d0dd-e0e3-c54f-576b5b864295" }, "ResponseBody": { "value": [], - "odata.metadata": "https://jverazsdkprim.table.cosmos.azure.com/$metadata#testtablexzo4cb8p" + "odata.metadata": "https://chrisstablesprim.table.cosmos.azure.com/$metadata#testtablexzo4cb8p" } }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/Tables(\u0027testtablexzo4cb8p\u0027)", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/Tables(\u0027testtablexzo4cb8p\u0027)", "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json", "Authorization": "Sanitized", - "traceparent": "00-be50c8d0913e8f489dd5ff0de7738561-e09f27eff9ecb543-00", + "traceparent": "00-6b5d73bfebb17b42874bb9e7ce521574-8eacfdfb4ce1f347-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "447f9ef9d0dde0e3c54f576b5b864295", - "x-ms-date": "Tue, 23 Mar 2021 18:28:22 GMT", + "x-ms-client-request-id": "2f83d355b8752bce54eb99be3358b357", + "x-ms-date": "Fri, 30 Apr 2021 18:07:40 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -354,9 +385,9 @@ "StatusCode": 204, "ResponseHeaders": { "Content-Length": "0", - "Date": "Tue, 23 Mar 2021 18:28:25 GMT", + "Date": "Fri, 30 Apr 2021 18:07:40 GMT", "Server": "Microsoft-HTTPAPI/2.0", - "x-ms-request-id": "447f9ef9-d0dd-e0e3-c54f-576b5b864295" + "x-ms-request-id": "2f83d355-b875-2bce-54eb-99be3358b357" }, "ResponseBody": [] } @@ -364,7 +395,7 @@ "Variables": { "COSMOS_TABLES_ENDPOINT_SUFFIX": null, "RandomSeed": "1822279371", - "TABLES_COSMOS_ACCOUNT_NAME": "jverazsdkprim", + "TABLES_COSMOS_ACCOUNT_NAME": "chrisstablesprim", "TABLES_PRIMARY_COSMOS_ACCOUNT_KEY": "Kg==" } } \ No newline at end of file diff --git a/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(CosmosTable)/EntityDeleteRespectsEtagAsync.json b/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(CosmosTable)/EntityDeleteRespectsEtagAsync.json index 80374c5a9e9a..44bf87f55559 100644 --- a/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(CosmosTable)/EntityDeleteRespectsEtagAsync.json +++ b/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(CosmosTable)/EntityDeleteRespectsEtagAsync.json @@ -1,7 +1,7 @@ { "Entries": [ { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "POST", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", @@ -9,13 +9,13 @@ "Content-Length": "33", "Content-Type": "application/json; odata=nometadata", "DataServiceVersion": "3.0", - "traceparent": "00-e8f14350d47d2248a21376fd4ffc6fba-c62a2b1d7388314a-00", + "traceparent": "00-20cb21dcf71dec4bba932193371804f1-de9b959302c45349-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "276a499b4e745dc89fb5d6977332608e", - "x-ms-date": "Tue, 23 Mar 2021 18:28:57 GMT", + "x-ms-date": "Fri, 30 Apr 2021 18:07:42 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -25,20 +25,20 @@ "StatusCode": 201, "ResponseHeaders": { "Content-Type": "application/json; odata=minimalmetadata", - "Date": "Tue, 23 Mar 2021 18:29:00 GMT", - "ETag": "W/\u0022datetime\u00272021-03-23T18%3A29%3A00.5217800Z\u0027\u0022", - "Location": "https://jverazsdkprim.table.cosmos.azure.com/Tables(\u0027testtable33jki576\u0027)", + "Date": "Fri, 30 Apr 2021 18:07:41 GMT", + "ETag": "W/\u0022datetime\u00272021-04-30T18%3A07%3A42.1018120Z\u0027\u0022", + "Location": "https://chrisstablesprim.table.cosmos.azure.com/Tables(\u0027testtable33jki576\u0027)", "Server": "Microsoft-HTTPAPI/2.0", "Transfer-Encoding": "chunked", "x-ms-request-id": "276a499b-4e74-5dc8-9fb5-d6977332608e" }, "ResponseBody": { "TableName": "testtable33jki576", - "odata.metadata": "https://jverazsdkprim.table.cosmos.azure.com/$metadata#Tables/@Element" + "odata.metadata": "https://chrisstablesprim.table.cosmos.azure.com/$metadata#Tables/@Element" } }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/testtable33jki576(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/testtable33jki576(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "PUT", "RequestHeaders": { "Accept": "application/json", @@ -46,13 +46,13 @@ "Content-Length": "88", "Content-Type": "application/json", "DataServiceVersion": "3.0", - "traceparent": "00-057c8fba937c8a4fb7aef77d8f2ea857-0d4b063387773f46-00", + "traceparent": "00-f59dd1b16d25434caa0f16115c09faaf-b35662b496cf0b48-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "95d4420bcf4413848438045e3094ec25", - "x-ms-date": "Tue, 23 Mar 2021 18:28:57 GMT", + "x-ms-date": "Fri, 30 Apr 2021 18:07:42 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -65,27 +65,27 @@ "ResponseHeaders": { "Content-Length": "0", "Content-Type": "application/json", - "Date": "Tue, 23 Mar 2021 18:29:00 GMT", - "ETag": "W/\u0022datetime\u00272021-03-23T18%3A29%3A00.8978952Z\u0027\u0022", + "Date": "Fri, 30 Apr 2021 18:07:41 GMT", + "ETag": "W/\u0022datetime\u00272021-04-30T18%3A07%3A42.6386952Z\u0027\u0022", "Server": "Microsoft-HTTPAPI/2.0", "x-ms-request-id": "95d4420b-cf44-1384-8438-045e3094ec25" }, "ResponseBody": [] }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/testtable33jki576()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/testtable33jki576()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", "RequestMethod": "GET", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "traceparent": "00-afce9265fe75334d97705327019d80ca-92c81617d3eb0e4c-00", + "traceparent": "00-c481c712d0f263408038cc7edb9ae103-b9a41bc2c4e92740-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "1bd91dba6b51018cc23c79d4d4161f70", - "x-ms-date": "Tue, 23 Mar 2021 18:28:58 GMT", + "x-ms-date": "Fri, 30 Apr 2021 18:07:43 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -93,7 +93,7 @@ "StatusCode": 200, "ResponseHeaders": { "Content-Type": "application/json; odata=minimalmetadata", - "Date": "Tue, 23 Mar 2021 18:29:00 GMT", + "Date": "Fri, 30 Apr 2021 18:07:41 GMT", "Server": "Microsoft-HTTPAPI/2.0", "Transfer-Encoding": "chunked", "x-ms-request-id": "1bd91dba-6b51-018c-c23c-79d4d4161f70" @@ -101,31 +101,31 @@ "ResponseBody": { "value": [ { - "odata.etag": "W/\u0022datetime\u00272021-03-23T18%3A29%3A00.8978952Z\u0027\u0022", + "odata.etag": "W/\u0022datetime\u00272021-04-30T18%3A07%3A42.6386952Z\u0027\u0022", "PartitionKey": "somPartition", "RowKey": "1", "SomeStringProperty": "This is the original", - "Timestamp": "2021-03-23T18:29:00.8978952Z" + "Timestamp": "2021-04-30T18:07:42.6386952Z" } ], - "odata.metadata": "https://jverazsdkprim.table.cosmos.azure.com/$metadata#testtable33jki576" + "odata.metadata": "https://chrisstablesprim.table.cosmos.azure.com/$metadata#testtable33jki576" } }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/testtable33jki576(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/testtable33jki576(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", "If-Match": "*", - "traceparent": "00-323f1d24a94b384cb4ba768ae2ceeb92-7051c713c4b58a42-00", + "traceparent": "00-5f1054881d8eaa4ea183615ef2aa4584-500d5f2d3cea0946-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "4a6367241cd17a56e514ef16c3fe6f20", - "x-ms-date": "Tue, 23 Mar 2021 18:28:58 GMT", + "x-ms-date": "Fri, 30 Apr 2021 18:07:43 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -133,26 +133,57 @@ "StatusCode": 204, "ResponseHeaders": { "Content-Length": "0", - "Date": "Tue, 23 Mar 2021 18:29:00 GMT", + "Date": "Fri, 30 Apr 2021 18:07:41 GMT", "Server": "Microsoft-HTTPAPI/2.0", "x-ms-request-id": "4a636724-1cd1-7a56-e514-ef16c3fe6f20" }, "ResponseBody": [] }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/testtable33jki576()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", - "RequestMethod": "GET", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/testtable33jki576(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "traceparent": "00-5be3a1087f8237429bc0bf33ead036ce-9a630996470c5b4d-00", + "If-Match": "*", + "traceparent": "00-08718470436e3a40a2c2e25649c9b23d-91db0586ab79064e-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "15b872ea7286a048b5d3d20755af3e6d", - "x-ms-date": "Tue, 23 Mar 2021 18:28:58 GMT", + "x-ms-date": "Fri, 30 Apr 2021 18:07:43 GMT", + "x-ms-return-client-request-id": "true", + "x-ms-version": "2019-02-02" + }, + "RequestBody": null, + "StatusCode": 404, + "ResponseHeaders": { + "Content-Type": "application/json; odata=fullmetadata", + "Date": "Fri, 30 Apr 2021 18:07:41 GMT", + "Server": "Microsoft-HTTPAPI/2.0", + "Transfer-Encoding": "chunked", + "x-ms-request-id": "15b872ea-7286-a048-b5d3-d20755af3e6d" + }, + "ResponseBody": [ + "{\u0022odata.error\u0022:{\u0022code\u0022:\u0022ResourceNotFound\u0022,\u0022message\u0022:{\u0022lang\u0022:\u0022en-us\u0022,\u0022value\u0022:\u0022The specified resource does not exist.\\nRequestID:15b872ea-7286-a048-b5d3-d20755af3e6d\\n\u0022}}}\r\n" + ] + }, + { + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/testtable33jki576()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", + "RequestMethod": "GET", + "RequestHeaders": { + "Accept": "application/json; odata=minimalmetadata", + "Authorization": "Sanitized", + "DataServiceVersion": "3.0", + "traceparent": "00-4d25d8fb6a18eb4fb6060a5d5aefd46d-025c608fe5123645-00", + "User-Agent": [ + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" + ], + "x-ms-client-request-id": "c93a9418a1319d54c65f353c7b763ec3", + "x-ms-date": "Fri, 30 Apr 2021 18:07:43 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -160,18 +191,18 @@ "StatusCode": 200, "ResponseHeaders": { "Content-Type": "application/json; odata=minimalmetadata", - "Date": "Tue, 23 Mar 2021 18:29:00 GMT", + "Date": "Fri, 30 Apr 2021 18:07:42 GMT", "Server": "Microsoft-HTTPAPI/2.0", "Transfer-Encoding": "chunked", - "x-ms-request-id": "15b872ea-7286-a048-b5d3-d20755af3e6d" + "x-ms-request-id": "c93a9418-a131-9d54-c65f-353c7b763ec3" }, "ResponseBody": { "value": [], - "odata.metadata": "https://jverazsdkprim.table.cosmos.azure.com/$metadata#testtable33jki576" + "odata.metadata": "https://chrisstablesprim.table.cosmos.azure.com/$metadata#testtable33jki576" } }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/testtable33jki576(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/testtable33jki576(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "PUT", "RequestHeaders": { "Accept": "application/json", @@ -179,13 +210,13 @@ "Content-Length": "88", "Content-Type": "application/json", "DataServiceVersion": "3.0", - "traceparent": "00-8c6c89abdb900e40b47f8a630413888e-041ac4e54789134c-00", + "traceparent": "00-bf3374e01d42bd4796f2876512bf0323-e5b8f2f0db898c4a-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "c93a9418a1319d54c65f353c7b763ec3", - "x-ms-date": "Tue, 23 Mar 2021 18:28:58 GMT", + "x-ms-client-request-id": "61ea58cd0a5db1e91fc394fd494f2435", + "x-ms-date": "Fri, 30 Apr 2021 18:07:43 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -198,27 +229,27 @@ "ResponseHeaders": { "Content-Length": "0", "Content-Type": "application/json", - "Date": "Tue, 23 Mar 2021 18:29:00 GMT", - "ETag": "W/\u0022datetime\u00272021-03-23T18%3A29%3A01.0068488Z\u0027\u0022", + "Date": "Fri, 30 Apr 2021 18:07:42 GMT", + "ETag": "W/\u0022datetime\u00272021-04-30T18%3A07%3A43.0705160Z\u0027\u0022", "Server": "Microsoft-HTTPAPI/2.0", - "x-ms-request-id": "c93a9418-a131-9d54-c65f-353c7b763ec3" + "x-ms-request-id": "61ea58cd-0a5d-b1e9-1fc3-94fd494f2435" }, "ResponseBody": [] }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/testtable33jki576()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/testtable33jki576()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", "RequestMethod": "GET", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "traceparent": "00-268fd0fe8e4e4947a087869f2d8c91c0-8295581055aa6346-00", + "traceparent": "00-973808fdb828dd429bd10f42d724d335-061a32ed0104d04f-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "61ea58cd0a5db1e91fc394fd494f2435", - "x-ms-date": "Tue, 23 Mar 2021 18:28:58 GMT", + "x-ms-client-request-id": "2ffd82d5a6c348ef1d1b4f273c0b243f", + "x-ms-date": "Fri, 30 Apr 2021 18:07:43 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -226,39 +257,39 @@ "StatusCode": 200, "ResponseHeaders": { "Content-Type": "application/json; odata=minimalmetadata", - "Date": "Tue, 23 Mar 2021 18:29:00 GMT", + "Date": "Fri, 30 Apr 2021 18:07:42 GMT", "Server": "Microsoft-HTTPAPI/2.0", "Transfer-Encoding": "chunked", - "x-ms-request-id": "61ea58cd-0a5d-b1e9-1fc3-94fd494f2435" + "x-ms-request-id": "2ffd82d5-a6c3-48ef-1d1b-4f273c0b243f" }, "ResponseBody": { "value": [ { - "odata.etag": "W/\u0022datetime\u00272021-03-23T18%3A29%3A01.0068488Z\u0027\u0022", + "odata.etag": "W/\u0022datetime\u00272021-04-30T18%3A07%3A43.0705160Z\u0027\u0022", "PartitionKey": "somPartition", "RowKey": "1", "SomeStringProperty": "This is the original", - "Timestamp": "2021-03-23T18:29:01.0068488Z" + "Timestamp": "2021-04-30T18:07:43.0705160Z" } ], - "odata.metadata": "https://jverazsdkprim.table.cosmos.azure.com/$metadata#testtable33jki576" + "odata.metadata": "https://chrisstablesprim.table.cosmos.azure.com/$metadata#testtable33jki576" } }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/testtable33jki576(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/testtable33jki576(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "If-Match": "W/\u0022datetime\u00272021-03-23T18%3A29%3A00.8978952Z\u0027\u0022", - "traceparent": "00-f798256e4de08c49831698f9e611228a-e5ec43e056b75949-00", + "If-Match": "W/\u0022datetime\u00272021-04-30T18%3A07%3A42.6386952Z\u0027\u0022", + "traceparent": "00-7f65d52b6d43414bb8673d1a934d0857-cdc6ac48d9b17d45-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "2ffd82d5a6c348ef1d1b4f273c0b243f", - "x-ms-date": "Tue, 23 Mar 2021 18:28:58 GMT", + "x-ms-client-request-id": "fc390f95ddc50e0fab89aa6d0d565476", + "x-ms-date": "Fri, 30 Apr 2021 18:07:43 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -266,30 +297,30 @@ "StatusCode": 412, "ResponseHeaders": { "Content-Type": "application/json; odata=fullmetadata", - "Date": "Tue, 23 Mar 2021 18:29:00 GMT", + "Date": "Fri, 30 Apr 2021 18:07:42 GMT", "Server": "Microsoft-HTTPAPI/2.0", "Transfer-Encoding": "chunked", - "x-ms-request-id": "2ffd82d5-a6c3-48ef-1d1b-4f273c0b243f" + "x-ms-request-id": "fc390f95-ddc5-0e0f-ab89-aa6d0d565476" }, "ResponseBody": [ - "{\u0022odata.error\u0022:{\u0022code\u0022:\u0022UpdateConditionNotSatisfied\u0022,\u0022message\u0022:{\u0022lang\u0022:\u0022en-us\u0022,\u0022value\u0022:\u0022The update condition specified in the request was not satisfied.\\nRequestID:2ffd82d5-a6c3-48ef-1d1b-4f273c0b243f\\n\u0022}}}\r\n" + "{\u0022odata.error\u0022:{\u0022code\u0022:\u0022UpdateConditionNotSatisfied\u0022,\u0022message\u0022:{\u0022lang\u0022:\u0022en-us\u0022,\u0022value\u0022:\u0022The update condition specified in the request was not satisfied.\\nRequestID:fc390f95-ddc5-0e0f-ab89-aa6d0d565476\\n\u0022}}}\r\n" ] }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/testtable33jki576(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/testtable33jki576(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "If-Match": "W/\u0022datetime\u00272021-03-23T18%3A29%3A01.0068488Z\u0027\u0022", - "traceparent": "00-898e79aa0cfc3140877b5e958ef3e8b8-db735c128780f242-00", + "If-Match": "W/\u0022datetime\u00272021-04-30T18%3A07%3A43.0705160Z\u0027\u0022", + "traceparent": "00-d79b04b93a749c42a11d835d49f39734-5d2746d7d5f1c24e-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "fc390f95ddc50e0fab89aa6d0d565476", - "x-ms-date": "Tue, 23 Mar 2021 18:28:58 GMT", + "x-ms-client-request-id": "f967003a0e78270069a14442bac17513", + "x-ms-date": "Fri, 30 Apr 2021 18:07:43 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -297,26 +328,26 @@ "StatusCode": 204, "ResponseHeaders": { "Content-Length": "0", - "Date": "Tue, 23 Mar 2021 18:29:00 GMT", + "Date": "Fri, 30 Apr 2021 18:07:42 GMT", "Server": "Microsoft-HTTPAPI/2.0", - "x-ms-request-id": "fc390f95-ddc5-0e0f-ab89-aa6d0d565476" + "x-ms-request-id": "f967003a-0e78-2700-69a1-4442bac17513" }, "ResponseBody": [] }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/testtable33jki576()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/testtable33jki576()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", "RequestMethod": "GET", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "traceparent": "00-a754b581af9d1548987ddfbc8ce50c55-2032da34c8198d48-00", + "traceparent": "00-7e0cb199375e604dbedcd608a1eb6ca3-4e8c2268e7c6f040-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "f967003a0e78270069a14442bac17513", - "x-ms-date": "Tue, 23 Mar 2021 18:28:58 GMT", + "x-ms-client-request-id": "3a68549f2815f87072ee833afb823bc7", + "x-ms-date": "Fri, 30 Apr 2021 18:07:43 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -324,29 +355,29 @@ "StatusCode": 200, "ResponseHeaders": { "Content-Type": "application/json; odata=minimalmetadata", - "Date": "Tue, 23 Mar 2021 18:29:00 GMT", + "Date": "Fri, 30 Apr 2021 18:07:42 GMT", "Server": "Microsoft-HTTPAPI/2.0", "Transfer-Encoding": "chunked", - "x-ms-request-id": "f967003a-0e78-2700-69a1-4442bac17513" + "x-ms-request-id": "3a68549f-2815-f870-72ee-833afb823bc7" }, "ResponseBody": { "value": [], - "odata.metadata": "https://jverazsdkprim.table.cosmos.azure.com/$metadata#testtable33jki576" + "odata.metadata": "https://chrisstablesprim.table.cosmos.azure.com/$metadata#testtable33jki576" } }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/Tables(\u0027testtable33jki576\u0027)", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/Tables(\u0027testtable33jki576\u0027)", "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json", "Authorization": "Sanitized", - "traceparent": "00-e96777291bf8984d88c4fb60c1edc295-6c5e75e9b2401b48-00", + "traceparent": "00-ffc9372816bcf046b0836d08a209a587-5e767d86eb796847-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "3a68549f2815f87072ee833afb823bc7", - "x-ms-date": "Tue, 23 Mar 2021 18:28:58 GMT", + "x-ms-client-request-id": "3cecd8c72ba386c60e12932398cc54e9", + "x-ms-date": "Fri, 30 Apr 2021 18:07:43 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -354,9 +385,9 @@ "StatusCode": 204, "ResponseHeaders": { "Content-Length": "0", - "Date": "Tue, 23 Mar 2021 18:29:00 GMT", + "Date": "Fri, 30 Apr 2021 18:07:42 GMT", "Server": "Microsoft-HTTPAPI/2.0", - "x-ms-request-id": "3a68549f-2815-f870-72ee-833afb823bc7" + "x-ms-request-id": "3cecd8c7-2ba3-86c6-0e12-932398cc54e9" }, "ResponseBody": [] } @@ -364,7 +395,7 @@ "Variables": { "COSMOS_TABLES_ENDPOINT_SUFFIX": null, "RandomSeed": "1349879286", - "TABLES_COSMOS_ACCOUNT_NAME": "jverazsdkprim", + "TABLES_COSMOS_ACCOUNT_NAME": "chrisstablesprim", "TABLES_PRIMARY_COSMOS_ACCOUNT_KEY": "Kg==" } } \ No newline at end of file diff --git a/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(CosmosTable)/ValidateCreateDeleteTable.json b/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(CosmosTable)/ValidateCreateDeleteTable.json index f58e6e855c4f..c170cba1ce65 100644 --- a/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(CosmosTable)/ValidateCreateDeleteTable.json +++ b/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(CosmosTable)/ValidateCreateDeleteTable.json @@ -1,7 +1,7 @@ { "Entries": [ { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "POST", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", @@ -9,13 +9,13 @@ "Content-Length": "33", "Content-Type": "application/json; odata=nometadata", "DataServiceVersion": "3.0", - "traceparent": "00-5466a88f56b39e40b9ce14502f6a0430-0fd10dd273bd7748-00", + "traceparent": "00-575c2f36d0cce142bbfadc5fd6ba6860-36619d78ebae5743-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "97be5703eb9b5d718c388d9fff01a6a9", - "x-ms-date": "Tue, 23 Mar 2021 18:28:25 GMT", + "x-ms-date": "Fri, 30 Apr 2021 17:40:08 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -25,20 +25,20 @@ "StatusCode": 201, "ResponseHeaders": { "Content-Type": "application/json; odata=minimalmetadata", - "Date": "Tue, 23 Mar 2021 18:28:28 GMT", - "ETag": "W/\u0022datetime\u00272021-03-23T18%3A28%3A28.5082632Z\u0027\u0022", - "Location": "https://jverazsdkprim.table.cosmos.azure.com/Tables(\u0027testtable60o6a6ja\u0027)", + "Date": "Fri, 30 Apr 2021 17:40:09 GMT", + "ETag": "W/\u0022datetime\u00272021-04-30T17%3A40%3A09.2716040Z\u0027\u0022", + "Location": "https://chrisstablesprim.table.cosmos.azure.com/Tables(\u0027testtable60o6a6ja\u0027)", "Server": "Microsoft-HTTPAPI/2.0", "Transfer-Encoding": "chunked", "x-ms-request-id": "97be5703-eb9b-5d71-8c38-8d9fff01a6a9" }, "ResponseBody": { "TableName": "testtable60o6a6ja", - "odata.metadata": "https://jverazsdkprim.table.cosmos.azure.com/$metadata#Tables/@Element" + "odata.metadata": "https://chrisstablesprim.table.cosmos.azure.com/$metadata#Tables/@Element" } }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "POST", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", @@ -46,13 +46,13 @@ "Content-Length": "33", "Content-Type": "application/json; odata=nometadata", "DataServiceVersion": "3.0", - "traceparent": "00-353297d0c3fdec43beb08e40ea29dd9b-bf6bb027a1f80b42-00", + "traceparent": "00-8a905c6caec43043b10e0cb14b782401-56d1ef7ffb0c4243-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "32ceb62caef939be59d18d2cba1cd21f", - "x-ms-date": "Tue, 23 Mar 2021 18:28:25 GMT", + "x-ms-date": "Fri, 30 Apr 2021 17:40:10 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -62,32 +62,32 @@ "StatusCode": 201, "ResponseHeaders": { "Content-Type": "application/json; odata=minimalmetadata", - "Date": "Tue, 23 Mar 2021 18:28:28 GMT", - "ETag": "W/\u0022datetime\u00272021-03-23T18%3A28%3A28.8949256Z\u0027\u0022", - "Location": "https://jverazsdkprim.table.cosmos.azure.com/Tables(\u0027testtable85eaw38n\u0027)", + "Date": "Fri, 30 Apr 2021 17:40:09 GMT", + "ETag": "W/\u0022datetime\u00272021-04-30T17%3A40%3A09.7530888Z\u0027\u0022", + "Location": "https://chrisstablesprim.table.cosmos.azure.com/Tables(\u0027testtable85eaw38n\u0027)", "Server": "Microsoft-HTTPAPI/2.0", "Transfer-Encoding": "chunked", "x-ms-request-id": "32ceb62c-aef9-39be-59d1-8d2cba1cd21f" }, "ResponseBody": { "TableName": "testtable85eaw38n", - "odata.metadata": "https://jverazsdkprim.table.cosmos.azure.com/$metadata#Tables/@Element" + "odata.metadata": "https://chrisstablesprim.table.cosmos.azure.com/$metadata#Tables/@Element" } }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=TableName%20eq%20%27testtable85eaw38n%27", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=TableName%20eq%20%27testtable85eaw38n%27", "RequestMethod": "GET", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "traceparent": "00-31c49b074fed654dac08ca5b3aad6c3e-e84763254d91a24a-00", + "traceparent": "00-4740379ffa3f1e458ab0cca81aeb7152-78e319cf8e1e444e-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "b517f0864af2418e49f581bd53e0c232", - "x-ms-date": "Tue, 23 Mar 2021 18:28:26 GMT", + "x-ms-date": "Fri, 30 Apr 2021 17:40:10 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -95,7 +95,7 @@ "StatusCode": 200, "ResponseHeaders": { "Content-Type": "application/json; odata=minimalmetadata", - "Date": "Tue, 23 Mar 2021 18:28:28 GMT", + "Date": "Fri, 30 Apr 2021 17:40:09 GMT", "Server": "Microsoft-HTTPAPI/2.0", "Transfer-Encoding": "chunked", "x-ms-request-id": "b517f086-4af2-418e-49f5-81bd53e0c232" @@ -106,22 +106,22 @@ "TableName": "testtable85eaw38n" } ], - "odata.metadata": "https://jverazsdkprim.table.cosmos.azure.com/$metadata#Tables" + "odata.metadata": "https://chrisstablesprim.table.cosmos.azure.com/$metadata#Tables" } }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/Tables(\u0027testtable85eaw38n\u0027)", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/Tables(\u0027testtable85eaw38n\u0027)", "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json", "Authorization": "Sanitized", - "traceparent": "00-185b4ec068509645971f832effee91d2-ec61f09d5a8af448-00", + "traceparent": "00-23742c2f5b371345b1c273f9b0fe89da-222af771c66d794a-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "e56b14283f1cde647a54462e7379efc6", - "x-ms-date": "Tue, 23 Mar 2021 18:28:26 GMT", + "x-ms-date": "Fri, 30 Apr 2021 17:40:10 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -129,26 +129,55 @@ "StatusCode": 204, "ResponseHeaders": { "Content-Length": "0", - "Date": "Tue, 23 Mar 2021 18:28:28 GMT", + "Date": "Fri, 30 Apr 2021 17:40:09 GMT", "Server": "Microsoft-HTTPAPI/2.0", "x-ms-request-id": "e56b1428-3f1c-de64-7a54-462e7379efc6" }, "ResponseBody": [] }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=TableName%20eq%20%27testtable85eaw38n%27", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/Tables(\u0027testtable85eaw38n\u0027)", + "RequestMethod": "DELETE", + "RequestHeaders": { + "Accept": "application/json", + "Authorization": "Sanitized", + "traceparent": "00-eb32f20f6950df4ea7611dd27fd06519-0f2457b3afbd2342-00", + "User-Agent": [ + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" + ], + "x-ms-client-request-id": "764dea2c79b9e1b6288de9042c00e578", + "x-ms-date": "Fri, 30 Apr 2021 17:40:10 GMT", + "x-ms-return-client-request-id": "true", + "x-ms-version": "2019-02-02" + }, + "RequestBody": null, + "StatusCode": 404, + "ResponseHeaders": { + "Content-Type": "application/json; odata=fullmetadata", + "Date": "Fri, 30 Apr 2021 17:40:09 GMT", + "Server": "Microsoft-HTTPAPI/2.0", + "Transfer-Encoding": "chunked", + "x-ms-request-id": "764dea2c-79b9-e1b6-288d-e9042c00e578" + }, + "ResponseBody": [ + "{\u0022odata.error\u0022:{\u0022code\u0022:\u0022ResourceNotFound\u0022,\u0022message\u0022:{\u0022lang\u0022:\u0022en-us\u0022,\u0022value\u0022:\u0022The specified resource does not exist.\\nRequestID:764dea2c-79b9-e1b6-288d-e9042c00e578\\n\u0022}}}\r\n" + ] + }, + { + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=TableName%20eq%20%27testtable85eaw38n%27", "RequestMethod": "GET", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "traceparent": "00-4698e20382d31d4a864c59c6ee07e181-528d1a753d9fc742-00", + "traceparent": "00-7d66a5b3e26cf642a0088c407195c05d-8dc80ddd9a2de845-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "764dea2c79b9e1b6288de9042c00e578", - "x-ms-date": "Tue, 23 Mar 2021 18:28:26 GMT", + "x-ms-client-request-id": "a5035a0fedb147038c383b9e045fcdd0", + "x-ms-date": "Fri, 30 Apr 2021 17:40:11 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -156,29 +185,29 @@ "StatusCode": 200, "ResponseHeaders": { "Content-Type": "application/json; odata=minimalmetadata", - "Date": "Tue, 23 Mar 2021 18:28:28 GMT", + "Date": "Fri, 30 Apr 2021 17:40:09 GMT", "Server": "Microsoft-HTTPAPI/2.0", "Transfer-Encoding": "chunked", - "x-ms-request-id": "764dea2c-79b9-e1b6-288d-e9042c00e578" + "x-ms-request-id": "a5035a0f-edb1-4703-8c38-3b9e045fcdd0" }, "ResponseBody": { "value": [], - "odata.metadata": "https://jverazsdkprim.table.cosmos.azure.com/$metadata#Tables" + "odata.metadata": "https://chrisstablesprim.table.cosmos.azure.com/$metadata#Tables" } }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/Tables(\u0027testtable60o6a6ja\u0027)", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/Tables(\u0027testtable60o6a6ja\u0027)", "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json", "Authorization": "Sanitized", - "traceparent": "00-19d5695a0c4e074db60dd72f7c951c41-369587cf63bb984b-00", + "traceparent": "00-74c358f1f0ebbe419e63520183cf918a-7a72b5c157342942-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "a5035a0fedb147038c383b9e045fcdd0", - "x-ms-date": "Tue, 23 Mar 2021 18:28:26 GMT", + "x-ms-client-request-id": "6891bb054b92af785e89bd8e555fb279", + "x-ms-date": "Fri, 30 Apr 2021 17:40:11 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -186,9 +215,9 @@ "StatusCode": 204, "ResponseHeaders": { "Content-Length": "0", - "Date": "Tue, 23 Mar 2021 18:28:28 GMT", + "Date": "Fri, 30 Apr 2021 17:40:10 GMT", "Server": "Microsoft-HTTPAPI/2.0", - "x-ms-request-id": "a5035a0f-edb1-4703-8c38-3b9e045fcdd0" + "x-ms-request-id": "6891bb05-4b92-af78-5e89-bd8e555fb279" }, "ResponseBody": [] } @@ -196,7 +225,7 @@ "Variables": { "COSMOS_TABLES_ENDPOINT_SUFFIX": null, "RandomSeed": "1769529552", - "TABLES_COSMOS_ACCOUNT_NAME": "jverazsdkprim", + "TABLES_COSMOS_ACCOUNT_NAME": "chrisstablesprim", "TABLES_PRIMARY_COSMOS_ACCOUNT_KEY": "Kg==" } } \ No newline at end of file diff --git a/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(CosmosTable)/ValidateCreateDeleteTableAsync.json b/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(CosmosTable)/ValidateCreateDeleteTableAsync.json index babcfce9c3bd..0bd6a5bc3a0b 100644 --- a/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(CosmosTable)/ValidateCreateDeleteTableAsync.json +++ b/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(CosmosTable)/ValidateCreateDeleteTableAsync.json @@ -1,7 +1,7 @@ { "Entries": [ { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "POST", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", @@ -9,13 +9,13 @@ "Content-Length": "33", "Content-Type": "application/json; odata=nometadata", "DataServiceVersion": "3.0", - "traceparent": "00-67017cb7116ae447b6ba2e82a699278a-a065b5da3018e740-00", + "traceparent": "00-38f19af968de9e4eb17e974fcb474b31-9be3fbe5c7c0184c-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "48e9fb32236c06fcf83fa42a1a490b17", - "x-ms-date": "Tue, 23 Mar 2021 18:29:01 GMT", + "x-ms-date": "Fri, 30 Apr 2021 17:40:12 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -25,20 +25,20 @@ "StatusCode": 201, "ResponseHeaders": { "Content-Type": "application/json; odata=minimalmetadata", - "Date": "Tue, 23 Mar 2021 18:29:04 GMT", - "ETag": "W/\u0022datetime\u00272021-03-23T18%3A29%3A04.7424008Z\u0027\u0022", - "Location": "https://jverazsdkprim.table.cosmos.azure.com/Tables(\u0027testtablezfarwh1l\u0027)", + "Date": "Fri, 30 Apr 2021 17:40:12 GMT", + "ETag": "W/\u0022datetime\u00272021-04-30T17%3A40%3A12.2625032Z\u0027\u0022", + "Location": "https://chrisstablesprim.table.cosmos.azure.com/Tables(\u0027testtablezfarwh1l\u0027)", "Server": "Microsoft-HTTPAPI/2.0", "Transfer-Encoding": "chunked", "x-ms-request-id": "48e9fb32-236c-06fc-f83f-a42a1a490b17" }, "ResponseBody": { "TableName": "testtablezfarwh1l", - "odata.metadata": "https://jverazsdkprim.table.cosmos.azure.com/$metadata#Tables/@Element" + "odata.metadata": "https://chrisstablesprim.table.cosmos.azure.com/$metadata#Tables/@Element" } }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "POST", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", @@ -46,13 +46,13 @@ "Content-Length": "33", "Content-Type": "application/json; odata=nometadata", "DataServiceVersion": "3.0", - "traceparent": "00-25b0cfc9ef7b8245aadb39a900fc6dac-6085500445ac6f45-00", + "traceparent": "00-5d97ebb07896c4418af7f88704d3b574-fad714669f817c45-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "515aa3afa30f48d9ed1ad44aae06e537", - "x-ms-date": "Tue, 23 Mar 2021 18:29:02 GMT", + "x-ms-date": "Fri, 30 Apr 2021 17:40:13 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -62,32 +62,32 @@ "StatusCode": 201, "ResponseHeaders": { "Content-Type": "application/json; odata=minimalmetadata", - "Date": "Tue, 23 Mar 2021 18:29:04 GMT", - "ETag": "W/\u0022datetime\u00272021-03-23T18%3A29%3A05.1621384Z\u0027\u0022", - "Location": "https://jverazsdkprim.table.cosmos.azure.com/Tables(\u0027testtableqmmjal2e\u0027)", + "Date": "Fri, 30 Apr 2021 17:40:12 GMT", + "ETag": "W/\u0022datetime\u00272021-04-30T17%3A40%3A12.7102984Z\u0027\u0022", + "Location": "https://chrisstablesprim.table.cosmos.azure.com/Tables(\u0027testtableqmmjal2e\u0027)", "Server": "Microsoft-HTTPAPI/2.0", "Transfer-Encoding": "chunked", "x-ms-request-id": "515aa3af-a30f-48d9-ed1a-d44aae06e537" }, "ResponseBody": { "TableName": "testtableqmmjal2e", - "odata.metadata": "https://jverazsdkprim.table.cosmos.azure.com/$metadata#Tables/@Element" + "odata.metadata": "https://chrisstablesprim.table.cosmos.azure.com/$metadata#Tables/@Element" } }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=TableName%20eq%20%27testtableqmmjal2e%27", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=TableName%20eq%20%27testtableqmmjal2e%27", "RequestMethod": "GET", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "traceparent": "00-9b41f22382f0184481316def8a2dd14e-51609923f34d034d-00", + "traceparent": "00-f88bc0b639186a4eadfbf817c8455f59-fd7b195dc4ce3049-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "3672a31274a78a1c7e4357dc2d7b95c6", - "x-ms-date": "Tue, 23 Mar 2021 18:29:02 GMT", + "x-ms-date": "Fri, 30 Apr 2021 17:40:13 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -95,7 +95,7 @@ "StatusCode": 200, "ResponseHeaders": { "Content-Type": "application/json; odata=minimalmetadata", - "Date": "Tue, 23 Mar 2021 18:29:04 GMT", + "Date": "Fri, 30 Apr 2021 17:40:12 GMT", "Server": "Microsoft-HTTPAPI/2.0", "Transfer-Encoding": "chunked", "x-ms-request-id": "3672a312-74a7-8a1c-7e43-57dc2d7b95c6" @@ -106,22 +106,22 @@ "TableName": "testtableqmmjal2e" } ], - "odata.metadata": "https://jverazsdkprim.table.cosmos.azure.com/$metadata#Tables" + "odata.metadata": "https://chrisstablesprim.table.cosmos.azure.com/$metadata#Tables" } }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/Tables(\u0027testtableqmmjal2e\u0027)", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/Tables(\u0027testtableqmmjal2e\u0027)", "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json", "Authorization": "Sanitized", - "traceparent": "00-54c41a5c0b916e478e01bc09d1ef6c62-d6edff7b51fc3949-00", + "traceparent": "00-b4b4383387d3d74fa6b6539467c73392-88bc5dc46ac24845-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "c998d84eaac854f6655c3cff75c069fe", - "x-ms-date": "Tue, 23 Mar 2021 18:29:02 GMT", + "x-ms-date": "Fri, 30 Apr 2021 17:40:13 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -129,26 +129,55 @@ "StatusCode": 204, "ResponseHeaders": { "Content-Length": "0", - "Date": "Tue, 23 Mar 2021 18:29:04 GMT", + "Date": "Fri, 30 Apr 2021 17:40:13 GMT", "Server": "Microsoft-HTTPAPI/2.0", "x-ms-request-id": "c998d84e-aac8-54f6-655c-3cff75c069fe" }, "ResponseBody": [] }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=TableName%20eq%20%27testtableqmmjal2e%27", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/Tables(\u0027testtableqmmjal2e\u0027)", + "RequestMethod": "DELETE", + "RequestHeaders": { + "Accept": "application/json", + "Authorization": "Sanitized", + "traceparent": "00-9a97f2f0dc7de04f82ba3f7ef6f6fbee-7ef9f3e10346ed4f-00", + "User-Agent": [ + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" + ], + "x-ms-client-request-id": "83d52d6075f83a6986d0d2cc4cfd1a72", + "x-ms-date": "Fri, 30 Apr 2021 17:40:13 GMT", + "x-ms-return-client-request-id": "true", + "x-ms-version": "2019-02-02" + }, + "RequestBody": null, + "StatusCode": 404, + "ResponseHeaders": { + "Content-Type": "application/json; odata=fullmetadata", + "Date": "Fri, 30 Apr 2021 17:40:13 GMT", + "Server": "Microsoft-HTTPAPI/2.0", + "Transfer-Encoding": "chunked", + "x-ms-request-id": "83d52d60-75f8-3a69-86d0-d2cc4cfd1a72" + }, + "ResponseBody": [ + "{\u0022odata.error\u0022:{\u0022code\u0022:\u0022ResourceNotFound\u0022,\u0022message\u0022:{\u0022lang\u0022:\u0022en-us\u0022,\u0022value\u0022:\u0022The specified resource does not exist.\\nRequestID:83d52d60-75f8-3a69-86d0-d2cc4cfd1a72\\n\u0022}}}\r\n" + ] + }, + { + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=TableName%20eq%20%27testtableqmmjal2e%27", "RequestMethod": "GET", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "traceparent": "00-b7b977f6ac43df41a48b5f8a83c6ec50-1d25687e6ddb1941-00", + "traceparent": "00-49d22fd167a7964786c1047e071b67ce-642b0f56adb1ae47-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "83d52d6075f83a6986d0d2cc4cfd1a72", - "x-ms-date": "Tue, 23 Mar 2021 18:29:02 GMT", + "x-ms-client-request-id": "d5fc0d851b6d686eac1ed14b381c15be", + "x-ms-date": "Fri, 30 Apr 2021 17:40:13 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -156,29 +185,29 @@ "StatusCode": 200, "ResponseHeaders": { "Content-Type": "application/json; odata=minimalmetadata", - "Date": "Tue, 23 Mar 2021 18:29:04 GMT", + "Date": "Fri, 30 Apr 2021 17:40:13 GMT", "Server": "Microsoft-HTTPAPI/2.0", "Transfer-Encoding": "chunked", - "x-ms-request-id": "83d52d60-75f8-3a69-86d0-d2cc4cfd1a72" + "x-ms-request-id": "d5fc0d85-1b6d-686e-ac1e-d14b381c15be" }, "ResponseBody": { "value": [], - "odata.metadata": "https://jverazsdkprim.table.cosmos.azure.com/$metadata#Tables" + "odata.metadata": "https://chrisstablesprim.table.cosmos.azure.com/$metadata#Tables" } }, { - "RequestUri": "https://jverazsdkprim.table.cosmos.azure.com/Tables(\u0027testtablezfarwh1l\u0027)", + "RequestUri": "https://chrisstablesprim.table.cosmos.azure.com/Tables(\u0027testtablezfarwh1l\u0027)", "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json", "Authorization": "Sanitized", - "traceparent": "00-1cf7862408042e4c8426d4ee4e5ad0ce-9588c6e352df9345-00", + "traceparent": "00-c7facb63475a5348ad18200512f62678-8fbbad7933f4994a-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "d5fc0d851b6d686eac1ed14b381c15be", - "x-ms-date": "Tue, 23 Mar 2021 18:29:02 GMT", + "x-ms-client-request-id": "007c58d912a6d8ce6e5e42f8d82a0767", + "x-ms-date": "Fri, 30 Apr 2021 17:40:14 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -186,9 +215,9 @@ "StatusCode": 204, "ResponseHeaders": { "Content-Length": "0", - "Date": "Tue, 23 Mar 2021 18:29:06 GMT", + "Date": "Fri, 30 Apr 2021 17:40:13 GMT", "Server": "Microsoft-HTTPAPI/2.0", - "x-ms-request-id": "d5fc0d85-1b6d-686e-ac1e-d14b381c15be" + "x-ms-request-id": "007c58d9-12a6-d8ce-6e5e-42f8d82a0767" }, "ResponseBody": [] } @@ -196,7 +225,7 @@ "Variables": { "COSMOS_TABLES_ENDPOINT_SUFFIX": null, "RandomSeed": "1413939319", - "TABLES_COSMOS_ACCOUNT_NAME": "jverazsdkprim", + "TABLES_COSMOS_ACCOUNT_NAME": "chrisstablesprim", "TABLES_PRIMARY_COSMOS_ACCOUNT_KEY": "Kg==" } } \ No newline at end of file diff --git a/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(Storage)/EntityDeleteRespectsEtag.json b/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(Storage)/EntityDeleteRespectsEtag.json index 2fc421e09816..2dcf56b97c9b 100644 --- a/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(Storage)/EntityDeleteRespectsEtag.json +++ b/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(Storage)/EntityDeleteRespectsEtag.json @@ -1,7 +1,7 @@ { "Entries": [ { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "POST", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", @@ -9,13 +9,13 @@ "Content-Length": "33", "Content-Type": "application/json; odata=nometadata", "DataServiceVersion": "3.0", - "traceparent": "00-d4d32ae3e5ffcd44909dde0f393c10cb-5d920ac31bfdad4f-00", + "traceparent": "00-ffd39cbf5c37bf46b6d78d80ce9dec1f-90f5028398215445-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "9733354053f402bd7ccf860ebf7fa3b3", - "x-ms-date": "Tue, 23 Mar 2021 18:28:35 GMT", + "x-ms-date": "Fri, 30 Apr 2021 18:07:41 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -26,8 +26,8 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Type": "application/json; odata=minimalmetadata; streaming=true; charset=utf-8", - "Date": "Tue, 23 Mar 2021 18:28:37 GMT", - "Location": "https://jverazsdkprim.table.core.windows.net/Tables(\u0027testtablexuh14aqc\u0027)", + "Date": "Fri, 30 Apr 2021 18:07:41 GMT", + "Location": "https://chrisstablesprim.table.core.windows.net/Tables(\u0027testtablexuh14aqc\u0027)", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" @@ -35,16 +35,16 @@ "Transfer-Encoding": "chunked", "X-Content-Type-Options": "nosniff", "x-ms-client-request-id": "9733354053f402bd7ccf860ebf7fa3b3", - "x-ms-request-id": "a028741d-e002-0026-7e12-207c0c000000", + "x-ms-request-id": "1054b4a9-d002-0002-06eb-3d8aac000000", "x-ms-version": "2019-02-02" }, "ResponseBody": { - "odata.metadata": "https://jverazsdkprim.table.core.windows.net/$metadata#Tables/@Element", + "odata.metadata": "https://chrisstablesprim.table.core.windows.net/$metadata#Tables/@Element", "TableName": "testtablexuh14aqc" } }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/testtablexuh14aqc(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/testtablexuh14aqc(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "PUT", "RequestHeaders": { "Accept": "application/json", @@ -52,13 +52,13 @@ "Content-Length": "88", "Content-Type": "application/json", "DataServiceVersion": "3.0", - "traceparent": "00-335bdc6b6f547448887c7ecc5bb1278a-b45037d9f720564f-00", + "traceparent": "00-33b1a063222d1648a08df2949d01ed02-079601cde488cb40-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "7339ac8a0d3e11e1605d476680c75d24", - "x-ms-date": "Tue, 23 Mar 2021 18:28:35 GMT", + "x-ms-date": "Fri, 30 Apr 2021 18:07:41 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -71,33 +71,33 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Length": "0", - "Date": "Tue, 23 Mar 2021 18:28:37 GMT", - "ETag": "W/\u0022datetime\u00272021-03-23T18%3A28%3A38.7392602Z\u0027\u0022", + "Date": "Fri, 30 Apr 2021 18:07:41 GMT", + "ETag": "W/\u0022datetime\u00272021-04-30T18%3A07%3A41.1428776Z\u0027\u0022", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" ], "X-Content-Type-Options": "nosniff", "x-ms-client-request-id": "7339ac8a0d3e11e1605d476680c75d24", - "x-ms-request-id": "a0287425-e002-0026-0512-207c0c000000", + "x-ms-request-id": "1054b4b7-d002-0002-0feb-3d8aac000000", "x-ms-version": "2019-02-02" }, "ResponseBody": [] }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/testtablexuh14aqc()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/testtablexuh14aqc()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", "RequestMethod": "GET", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "traceparent": "00-61145e74edbf514fa086b4957d5508dd-e9ce67eeb651df42-00", + "traceparent": "00-e388090827c5c34585ba679b2e8db44e-139c86e469e7f24f-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "169f7fe496ea0652890df0f8fb7a0a08", - "x-ms-date": "Tue, 23 Mar 2021 18:28:35 GMT", + "x-ms-date": "Fri, 30 Apr 2021 18:07:41 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -106,7 +106,7 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Type": "application/json; odata=minimalmetadata; streaming=true; charset=utf-8", - "Date": "Tue, 23 Mar 2021 18:28:37 GMT", + "Date": "Fri, 30 Apr 2021 18:07:41 GMT", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" @@ -114,37 +114,37 @@ "Transfer-Encoding": "chunked", "X-Content-Type-Options": "nosniff", "x-ms-client-request-id": "169f7fe496ea0652890df0f8fb7a0a08", - "x-ms-request-id": "a028742c-e002-0026-0c12-207c0c000000", + "x-ms-request-id": "1054b4b9-d002-0002-11eb-3d8aac000000", "x-ms-version": "2019-02-02" }, "ResponseBody": { - "odata.metadata": "https://jverazsdkprim.table.core.windows.net/$metadata#testtablexuh14aqc", + "odata.metadata": "https://chrisstablesprim.table.core.windows.net/$metadata#testtablexuh14aqc", "value": [ { - "odata.etag": "W/\u0022datetime\u00272021-03-23T18%3A28%3A38.7392602Z\u0027\u0022", + "odata.etag": "W/\u0022datetime\u00272021-04-30T18%3A07%3A41.1428776Z\u0027\u0022", "PartitionKey": "somPartition", "RowKey": "1", - "Timestamp": "2021-03-23T18:28:38.7392602Z", + "Timestamp": "2021-04-30T18:07:41.1428776Z", "SomeStringProperty": "This is the original" } ] } }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/testtablexuh14aqc(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/testtablexuh14aqc(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", "If-Match": "*", - "traceparent": "00-247b7db96c83b74c935e32cc3c6889d1-6a6cef9fae972045-00", + "traceparent": "00-d493ae41e601b94b8386b60c4b8f95e1-6c2837157f779048-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "8988c36a12982802528594f6759bfc07", - "x-ms-date": "Tue, 23 Mar 2021 18:28:35 GMT", + "x-ms-date": "Fri, 30 Apr 2021 18:07:41 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -153,41 +153,42 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Length": "0", - "Date": "Tue, 23 Mar 2021 18:28:37 GMT", + "Date": "Fri, 30 Apr 2021 18:07:41 GMT", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" ], "X-Content-Type-Options": "nosniff", "x-ms-client-request-id": "8988c36a12982802528594f6759bfc07", - "x-ms-request-id": "a0287431-e002-0026-1012-207c0c000000", + "x-ms-request-id": "1054b4ba-d002-0002-12eb-3d8aac000000", "x-ms-version": "2019-02-02" }, "ResponseBody": [] }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/testtablexuh14aqc()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", - "RequestMethod": "GET", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/testtablexuh14aqc(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "traceparent": "00-7300f0f172298441a8853065cd9cd582-0ac4de255343ec49-00", + "If-Match": "*", + "traceparent": "00-9be00e93d8633d41bf5477ab0922fc6e-3549b3e0a7afa342-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "00dae9289c04f3235932e9311de816e6", - "x-ms-date": "Tue, 23 Mar 2021 18:28:35 GMT", + "x-ms-date": "Fri, 30 Apr 2021 18:07:41 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, "RequestBody": null, - "StatusCode": 200, + "StatusCode": 404, "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Type": "application/json; odata=minimalmetadata; streaming=true; charset=utf-8", - "Date": "Tue, 23 Mar 2021 18:28:37 GMT", + "Date": "Fri, 30 Apr 2021 18:07:41 GMT", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" @@ -195,16 +196,59 @@ "Transfer-Encoding": "chunked", "X-Content-Type-Options": "nosniff", "x-ms-client-request-id": "00dae9289c04f3235932e9311de816e6", - "x-ms-request-id": "a0287439-e002-0026-1812-207c0c000000", + "x-ms-request-id": "1054b4c1-d002-0002-17eb-3d8aac000000", + "x-ms-version": "2019-02-02" + }, + "ResponseBody": { + "odata.error": { + "code": "ResourceNotFound", + "message": { + "lang": "en-US", + "value": "The specified resource does not exist.\nRequestId:1054b4c1-d002-0002-17eb-3d8aac000000\nTime:2021-04-30T18:07:41.3514520Z" + } + } + } + }, + { + "RequestUri": "https://chrisstablesprim.table.core.windows.net/testtablexuh14aqc()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", + "RequestMethod": "GET", + "RequestHeaders": { + "Accept": "application/json; odata=minimalmetadata", + "Authorization": "Sanitized", + "DataServiceVersion": "3.0", + "traceparent": "00-0073e33288da3e4080b37a50d3e75870-4081ab801cdf884e-00", + "User-Agent": [ + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" + ], + "x-ms-client-request-id": "bdfc3f53d33fd18c7d77c464025c91ed", + "x-ms-date": "Fri, 30 Apr 2021 18:07:41 GMT", + "x-ms-return-client-request-id": "true", + "x-ms-version": "2019-02-02" + }, + "RequestBody": null, + "StatusCode": 200, + "ResponseHeaders": { + "Cache-Control": "no-cache", + "Content-Type": "application/json; odata=minimalmetadata; streaming=true; charset=utf-8", + "Date": "Fri, 30 Apr 2021 18:07:41 GMT", + "Server": [ + "Windows-Azure-Table/1.0", + "Microsoft-HTTPAPI/2.0" + ], + "Transfer-Encoding": "chunked", + "X-Content-Type-Options": "nosniff", + "x-ms-client-request-id": "bdfc3f53d33fd18c7d77c464025c91ed", + "x-ms-request-id": "1054b4cc-d002-0002-20eb-3d8aac000000", "x-ms-version": "2019-02-02" }, "ResponseBody": { - "odata.metadata": "https://jverazsdkprim.table.core.windows.net/$metadata#testtablexuh14aqc", + "odata.metadata": "https://chrisstablesprim.table.core.windows.net/$metadata#testtablexuh14aqc", "value": [] } }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/testtablexuh14aqc(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/testtablexuh14aqc(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "PUT", "RequestHeaders": { "Accept": "application/json", @@ -212,13 +256,13 @@ "Content-Length": "88", "Content-Type": "application/json", "DataServiceVersion": "3.0", - "traceparent": "00-c4ba3824372ff34f984300fd8de6b7d2-4deb70e3834b8c4b-00", + "traceparent": "00-9f4a9d4c9a5bf1419e2f94829553470c-29627b7cfd2dcc4b-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "bdfc3f53d33fd18c7d77c464025c91ed", - "x-ms-date": "Tue, 23 Mar 2021 18:28:35 GMT", + "x-ms-client-request-id": "12d0e8110a9fce049f952f6629d10a69", + "x-ms-date": "Fri, 30 Apr 2021 18:07:41 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -231,33 +275,33 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Length": "0", - "Date": "Tue, 23 Mar 2021 18:28:37 GMT", - "ETag": "W/\u0022datetime\u00272021-03-23T18%3A28%3A38.8443353Z\u0027\u0022", + "Date": "Fri, 30 Apr 2021 18:07:41 GMT", + "ETag": "W/\u0022datetime\u00272021-04-30T18%3A07%3A41.513137Z\u0027\u0022", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" ], "X-Content-Type-Options": "nosniff", - "x-ms-client-request-id": "bdfc3f53d33fd18c7d77c464025c91ed", - "x-ms-request-id": "a0287440-e002-0026-1f12-207c0c000000", + "x-ms-client-request-id": "12d0e8110a9fce049f952f6629d10a69", + "x-ms-request-id": "1054b4ce-d002-0002-22eb-3d8aac000000", "x-ms-version": "2019-02-02" }, "ResponseBody": [] }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/testtablexuh14aqc()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/testtablexuh14aqc()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", "RequestMethod": "GET", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "traceparent": "00-821e080ecd605548bcc0bb8b019ae241-1f5f88b8e666e842-00", + "traceparent": "00-1bec8d7af59d2449b07d30f15f20d401-3b6f339fcdb9bb40-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "12d0e8110a9fce049f952f6629d10a69", - "x-ms-date": "Tue, 23 Mar 2021 18:28:35 GMT", + "x-ms-client-request-id": "36a2ae6f3e9f54c85c09828dd8bef1fd", + "x-ms-date": "Fri, 30 Apr 2021 18:07:42 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -266,45 +310,45 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Type": "application/json; odata=minimalmetadata; streaming=true; charset=utf-8", - "Date": "Tue, 23 Mar 2021 18:28:37 GMT", + "Date": "Fri, 30 Apr 2021 18:07:41 GMT", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" ], "Transfer-Encoding": "chunked", "X-Content-Type-Options": "nosniff", - "x-ms-client-request-id": "12d0e8110a9fce049f952f6629d10a69", - "x-ms-request-id": "a0287446-e002-0026-2512-207c0c000000", + "x-ms-client-request-id": "36a2ae6f3e9f54c85c09828dd8bef1fd", + "x-ms-request-id": "1054b4d4-d002-0002-28eb-3d8aac000000", "x-ms-version": "2019-02-02" }, "ResponseBody": { - "odata.metadata": "https://jverazsdkprim.table.core.windows.net/$metadata#testtablexuh14aqc", + "odata.metadata": "https://chrisstablesprim.table.core.windows.net/$metadata#testtablexuh14aqc", "value": [ { - "odata.etag": "W/\u0022datetime\u00272021-03-23T18%3A28%3A38.8443353Z\u0027\u0022", + "odata.etag": "W/\u0022datetime\u00272021-04-30T18%3A07%3A41.513137Z\u0027\u0022", "PartitionKey": "somPartition", "RowKey": "1", - "Timestamp": "2021-03-23T18:28:38.8443353Z", + "Timestamp": "2021-04-30T18:07:41.513137Z", "SomeStringProperty": "This is the original" } ] } }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/testtablexuh14aqc(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/testtablexuh14aqc(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "If-Match": "W/\u0022datetime\u00272021-03-23T18%3A28%3A38.7392602Z\u0027\u0022", - "traceparent": "00-f51c9a22310c6443971b8e309de5ffcf-5f6b551e02709849-00", + "If-Match": "W/\u0022datetime\u00272021-04-30T18%3A07%3A41.1428776Z\u0027\u0022", + "traceparent": "00-b677246ff0cdc5468fffce9cc6cc098d-8fa6e6a1309da44a-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "36a2ae6f3e9f54c85c09828dd8bef1fd", - "x-ms-date": "Tue, 23 Mar 2021 18:28:35 GMT", + "x-ms-client-request-id": "341ffba0031848463b2e1daaa426a8ac", + "x-ms-date": "Fri, 30 Apr 2021 18:07:42 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -313,15 +357,15 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Type": "application/json; odata=minimalmetadata; streaming=true; charset=utf-8", - "Date": "Tue, 23 Mar 2021 18:28:38 GMT", + "Date": "Fri, 30 Apr 2021 18:07:41 GMT", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" ], "Transfer-Encoding": "chunked", "X-Content-Type-Options": "nosniff", - "x-ms-client-request-id": "36a2ae6f3e9f54c85c09828dd8bef1fd", - "x-ms-request-id": "a0287450-e002-0026-2f12-207c0c000000", + "x-ms-client-request-id": "341ffba0031848463b2e1daaa426a8ac", + "x-ms-request-id": "1054b4d7-d002-0002-2beb-3d8aac000000", "x-ms-version": "2019-02-02" }, "ResponseBody": { @@ -329,26 +373,26 @@ "code": "UpdateConditionNotSatisfied", "message": { "lang": "en-US", - "value": "The update condition specified in the request was not satisfied.\nRequestId:a0287450-e002-0026-2f12-207c0c000000\nTime:2021-03-23T18:28:38.8941154Z" + "value": "The update condition specified in the request was not satisfied.\nRequestId:1054b4d7-d002-0002-2beb-3d8aac000000\nTime:2021-04-30T18:07:41.6526616Z" } } } }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/testtablexuh14aqc(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/testtablexuh14aqc(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "If-Match": "W/\u0022datetime\u00272021-03-23T18%3A28%3A38.8443353Z\u0027\u0022", - "traceparent": "00-3e9ddc8f73cf3447a80add391b6ca300-c307989a01495c42-00", + "If-Match": "W/\u0022datetime\u00272021-04-30T18%3A07%3A41.513137Z\u0027\u0022", + "traceparent": "00-c6ac653fa7228a42abc6a78af8dc8d3b-db1dfbd1d4af3143-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "341ffba0031848463b2e1daaa426a8ac", - "x-ms-date": "Tue, 23 Mar 2021 18:28:36 GMT", + "x-ms-client-request-id": "53f55a6c5ab9d24e207bb5968776f5e0", + "x-ms-date": "Fri, 30 Apr 2021 18:07:42 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -357,32 +401,32 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Length": "0", - "Date": "Tue, 23 Mar 2021 18:28:38 GMT", + "Date": "Fri, 30 Apr 2021 18:07:41 GMT", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" ], "X-Content-Type-Options": "nosniff", - "x-ms-client-request-id": "341ffba0031848463b2e1daaa426a8ac", - "x-ms-request-id": "a0287458-e002-0026-3712-207c0c000000", + "x-ms-client-request-id": "53f55a6c5ab9d24e207bb5968776f5e0", + "x-ms-request-id": "1054b4dd-d002-0002-30eb-3d8aac000000", "x-ms-version": "2019-02-02" }, "ResponseBody": [] }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/testtablexuh14aqc()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/testtablexuh14aqc()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", "RequestMethod": "GET", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "traceparent": "00-63884d4b44eeb54f943641430717270d-e7746cbbd2359547-00", + "traceparent": "00-85a0072f6583e94daead240c87691a23-5c3fd9685e7d804c-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "53f55a6c5ab9d24e207bb5968776f5e0", - "x-ms-date": "Tue, 23 Mar 2021 18:28:36 GMT", + "x-ms-client-request-id": "2dc532a3d5b16c51685afb71211eb036", + "x-ms-date": "Fri, 30 Apr 2021 18:07:42 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -391,35 +435,35 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Type": "application/json; odata=minimalmetadata; streaming=true; charset=utf-8", - "Date": "Tue, 23 Mar 2021 18:28:38 GMT", + "Date": "Fri, 30 Apr 2021 18:07:41 GMT", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" ], "Transfer-Encoding": "chunked", "X-Content-Type-Options": "nosniff", - "x-ms-client-request-id": "53f55a6c5ab9d24e207bb5968776f5e0", - "x-ms-request-id": "a028745c-e002-0026-3a12-207c0c000000", + "x-ms-client-request-id": "2dc532a3d5b16c51685afb71211eb036", + "x-ms-request-id": "1054b4e6-d002-0002-36eb-3d8aac000000", "x-ms-version": "2019-02-02" }, "ResponseBody": { - "odata.metadata": "https://jverazsdkprim.table.core.windows.net/$metadata#testtablexuh14aqc", + "odata.metadata": "https://chrisstablesprim.table.core.windows.net/$metadata#testtablexuh14aqc", "value": [] } }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/Tables(\u0027testtablexuh14aqc\u0027)", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/Tables(\u0027testtablexuh14aqc\u0027)", "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json", "Authorization": "Sanitized", - "traceparent": "00-ea9bf6bf6f98bd46b73f4d78e83b9e67-492fc0eefefe684f-00", + "traceparent": "00-f773587b06b65a478ebcd34f57e75b55-7efc1b4072bf904a-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "2dc532a3d5b16c51685afb71211eb036", - "x-ms-date": "Tue, 23 Mar 2021 18:28:36 GMT", + "x-ms-client-request-id": "7d20d6609ec94644ad4c149c4eb0c1c4", + "x-ms-date": "Fri, 30 Apr 2021 18:07:42 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -428,14 +472,14 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Length": "0", - "Date": "Tue, 23 Mar 2021 18:28:38 GMT", + "Date": "Fri, 30 Apr 2021 18:07:41 GMT", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" ], "X-Content-Type-Options": "nosniff", - "x-ms-client-request-id": "2dc532a3d5b16c51685afb71211eb036", - "x-ms-request-id": "a0287460-e002-0026-3e12-207c0c000000", + "x-ms-client-request-id": "7d20d6609ec94644ad4c149c4eb0c1c4", + "x-ms-request-id": "1054b4ed-d002-0002-3deb-3d8aac000000", "x-ms-version": "2019-02-02" }, "ResponseBody": [] @@ -445,6 +489,6 @@ "RandomSeed": "177049177", "STORAGE_ENDPOINT_SUFFIX": "core.windows.net", "TABLES_PRIMARY_STORAGE_ACCOUNT_KEY": "Kg==", - "TABLES_STORAGE_ACCOUNT_NAME": "jverazsdkprim" + "TABLES_STORAGE_ACCOUNT_NAME": "chrisstablesprim" } } \ No newline at end of file diff --git a/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(Storage)/EntityDeleteRespectsEtagAsync.json b/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(Storage)/EntityDeleteRespectsEtagAsync.json index 62c482a711ee..9a26eec740e7 100644 --- a/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(Storage)/EntityDeleteRespectsEtagAsync.json +++ b/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(Storage)/EntityDeleteRespectsEtagAsync.json @@ -1,7 +1,7 @@ { "Entries": [ { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "POST", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", @@ -9,13 +9,13 @@ "Content-Length": "33", "Content-Type": "application/json; odata=nometadata", "DataServiceVersion": "3.0", - "traceparent": "00-6f3f2bf10a549a4ea6b434f978a79c6e-6938b054ad76dc4b-00", + "traceparent": "00-49c8988378ed3e418f9ac9fdb32caeaa-56b277d2ca54cd4a-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "e6cd5cbf6b63ae666115c193572e0449", - "x-ms-date": "Tue, 23 Mar 2021 18:29:11 GMT", + "x-ms-date": "Fri, 30 Apr 2021 18:07:44 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -26,8 +26,8 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Type": "application/json; odata=minimalmetadata; streaming=true; charset=utf-8", - "Date": "Tue, 23 Mar 2021 18:29:13 GMT", - "Location": "https://jverazsdkprim.table.core.windows.net/Tables(\u0027testtable15crens9\u0027)", + "Date": "Fri, 30 Apr 2021 18:07:43 GMT", + "Location": "https://chrisstablesprim.table.core.windows.net/Tables(\u0027testtable15crens9\u0027)", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" @@ -35,16 +35,16 @@ "Transfer-Encoding": "chunked", "X-Content-Type-Options": "nosniff", "x-ms-client-request-id": "e6cd5cbf6b63ae666115c193572e0449", - "x-ms-request-id": "a0288818-e002-0026-7f12-207c0c000000", + "x-ms-request-id": "1054b567-d002-0002-1aeb-3d8aac000000", "x-ms-version": "2019-02-02" }, "ResponseBody": { - "odata.metadata": "https://jverazsdkprim.table.core.windows.net/$metadata#Tables/@Element", + "odata.metadata": "https://chrisstablesprim.table.core.windows.net/$metadata#Tables/@Element", "TableName": "testtable15crens9" } }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/testtable15crens9(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/testtable15crens9(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "PUT", "RequestHeaders": { "Accept": "application/json", @@ -52,13 +52,13 @@ "Content-Length": "88", "Content-Type": "application/json", "DataServiceVersion": "3.0", - "traceparent": "00-853f17751bd5b445a961a4681c951027-d101803a3cb27a47-00", + "traceparent": "00-94226168ebb82b4796569e1e9c6b2ec1-ce759c3d74061749-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "5578b029765270f011502de13dc387fb", - "x-ms-date": "Tue, 23 Mar 2021 18:29:11 GMT", + "x-ms-date": "Fri, 30 Apr 2021 18:07:44 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -71,33 +71,33 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Length": "0", - "Date": "Tue, 23 Mar 2021 18:29:13 GMT", - "ETag": "W/\u0022datetime\u00272021-03-23T18%3A29%3A14.5936328Z\u0027\u0022", + "Date": "Fri, 30 Apr 2021 18:07:43 GMT", + "ETag": "W/\u0022datetime\u00272021-04-30T18%3A07%3A43.9478464Z\u0027\u0022", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" ], "X-Content-Type-Options": "nosniff", "x-ms-client-request-id": "5578b029765270f011502de13dc387fb", - "x-ms-request-id": "a028881f-e002-0026-0512-207c0c000000", + "x-ms-request-id": "1054b56b-d002-0002-1deb-3d8aac000000", "x-ms-version": "2019-02-02" }, "ResponseBody": [] }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/testtable15crens9()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/testtable15crens9()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", "RequestMethod": "GET", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "traceparent": "00-1fe8d9a4d26b8a4483924f2e32894aba-4688e6aed62a8f47-00", + "traceparent": "00-f75dafea95bc714da37bc006aeb4148c-c98b19d59008074d-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "0144b4c647b9197602c7a6862821e18c", - "x-ms-date": "Tue, 23 Mar 2021 18:29:11 GMT", + "x-ms-date": "Fri, 30 Apr 2021 18:07:44 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -106,7 +106,7 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Type": "application/json; odata=minimalmetadata; streaming=true; charset=utf-8", - "Date": "Tue, 23 Mar 2021 18:29:13 GMT", + "Date": "Fri, 30 Apr 2021 18:07:43 GMT", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" @@ -114,37 +114,37 @@ "Transfer-Encoding": "chunked", "X-Content-Type-Options": "nosniff", "x-ms-client-request-id": "0144b4c647b9197602c7a6862821e18c", - "x-ms-request-id": "a0288826-e002-0026-0c12-207c0c000000", + "x-ms-request-id": "1054b56d-d002-0002-1feb-3d8aac000000", "x-ms-version": "2019-02-02" }, "ResponseBody": { - "odata.metadata": "https://jverazsdkprim.table.core.windows.net/$metadata#testtable15crens9", + "odata.metadata": "https://chrisstablesprim.table.core.windows.net/$metadata#testtable15crens9", "value": [ { - "odata.etag": "W/\u0022datetime\u00272021-03-23T18%3A29%3A14.5936328Z\u0027\u0022", + "odata.etag": "W/\u0022datetime\u00272021-04-30T18%3A07%3A43.9478464Z\u0027\u0022", "PartitionKey": "somPartition", "RowKey": "1", - "Timestamp": "2021-03-23T18:29:14.5936328Z", + "Timestamp": "2021-04-30T18:07:43.9478464Z", "SomeStringProperty": "This is the original" } ] } }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/testtable15crens9(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/testtable15crens9(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", "If-Match": "*", - "traceparent": "00-5e8a96a2f3b489428c4f054563edba3c-1083c49aa11ef641-00", + "traceparent": "00-0dfa1e820474804284b0e97dfa9dca65-af8b32ab434a774b-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "09dd0bf62fa3e56ddd76521b38cc2352", - "x-ms-date": "Tue, 23 Mar 2021 18:29:11 GMT", + "x-ms-date": "Fri, 30 Apr 2021 18:07:44 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -153,41 +153,42 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Length": "0", - "Date": "Tue, 23 Mar 2021 18:29:13 GMT", + "Date": "Fri, 30 Apr 2021 18:07:44 GMT", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" ], "X-Content-Type-Options": "nosniff", "x-ms-client-request-id": "09dd0bf62fa3e56ddd76521b38cc2352", - "x-ms-request-id": "a028882c-e002-0026-1212-207c0c000000", + "x-ms-request-id": "1054b573-d002-0002-24eb-3d8aac000000", "x-ms-version": "2019-02-02" }, "ResponseBody": [] }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/testtable15crens9()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", - "RequestMethod": "GET", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/testtable15crens9(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "traceparent": "00-e6de7c67bd774d4088e654f09b7e5fdf-7943e7e344621248-00", + "If-Match": "*", + "traceparent": "00-07e7e1fa5513a849bacd568951f1ef62-2ab8f9d7d50ee846-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "7990983947bfe244395f528ad06947ef", - "x-ms-date": "Tue, 23 Mar 2021 18:29:11 GMT", + "x-ms-date": "Fri, 30 Apr 2021 18:07:44 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, "RequestBody": null, - "StatusCode": 200, + "StatusCode": 404, "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Type": "application/json; odata=minimalmetadata; streaming=true; charset=utf-8", - "Date": "Tue, 23 Mar 2021 18:29:13 GMT", + "Date": "Fri, 30 Apr 2021 18:07:44 GMT", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" @@ -195,16 +196,59 @@ "Transfer-Encoding": "chunked", "X-Content-Type-Options": "nosniff", "x-ms-client-request-id": "7990983947bfe244395f528ad06947ef", - "x-ms-request-id": "a028882f-e002-0026-1512-207c0c000000", + "x-ms-request-id": "1054b57d-d002-0002-29eb-3d8aac000000", + "x-ms-version": "2019-02-02" + }, + "ResponseBody": { + "odata.error": { + "code": "ResourceNotFound", + "message": { + "lang": "en-US", + "value": "The specified resource does not exist.\nRequestId:1054b57d-d002-0002-29eb-3d8aac000000\nTime:2021-04-30T18:07:44.1654199Z" + } + } + } + }, + { + "RequestUri": "https://chrisstablesprim.table.core.windows.net/testtable15crens9()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", + "RequestMethod": "GET", + "RequestHeaders": { + "Accept": "application/json; odata=minimalmetadata", + "Authorization": "Sanitized", + "DataServiceVersion": "3.0", + "traceparent": "00-04934ec6da98834198008075c1659b97-89a0bbd8559c634b-00", + "User-Agent": [ + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" + ], + "x-ms-client-request-id": "32eaa16e7ee69757475f2443f45be036", + "x-ms-date": "Fri, 30 Apr 2021 18:07:44 GMT", + "x-ms-return-client-request-id": "true", + "x-ms-version": "2019-02-02" + }, + "RequestBody": null, + "StatusCode": 200, + "ResponseHeaders": { + "Cache-Control": "no-cache", + "Content-Type": "application/json; odata=minimalmetadata; streaming=true; charset=utf-8", + "Date": "Fri, 30 Apr 2021 18:07:44 GMT", + "Server": [ + "Windows-Azure-Table/1.0", + "Microsoft-HTTPAPI/2.0" + ], + "Transfer-Encoding": "chunked", + "X-Content-Type-Options": "nosniff", + "x-ms-client-request-id": "32eaa16e7ee69757475f2443f45be036", + "x-ms-request-id": "1054b581-d002-0002-2deb-3d8aac000000", "x-ms-version": "2019-02-02" }, "ResponseBody": { - "odata.metadata": "https://jverazsdkprim.table.core.windows.net/$metadata#testtable15crens9", + "odata.metadata": "https://chrisstablesprim.table.core.windows.net/$metadata#testtable15crens9", "value": [] } }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/testtable15crens9(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/testtable15crens9(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "PUT", "RequestHeaders": { "Accept": "application/json", @@ -212,13 +256,13 @@ "Content-Length": "88", "Content-Type": "application/json", "DataServiceVersion": "3.0", - "traceparent": "00-43c6dd55cd561040a4dde6b05909f156-77dbb232687faf4b-00", + "traceparent": "00-92c8c182d36a1842b19e4c04e61e1b5b-443e749200998a4a-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "32eaa16e7ee69757475f2443f45be036", - "x-ms-date": "Tue, 23 Mar 2021 18:29:11 GMT", + "x-ms-client-request-id": "8f4c54a36791afcdc6fad044dce21473", + "x-ms-date": "Fri, 30 Apr 2021 18:07:44 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -231,33 +275,33 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Length": "0", - "Date": "Tue, 23 Mar 2021 18:29:13 GMT", - "ETag": "W/\u0022datetime\u00272021-03-23T18%3A29%3A14.6897007Z\u0027\u0022", + "Date": "Fri, 30 Apr 2021 18:07:44 GMT", + "ETag": "W/\u0022datetime\u00272021-04-30T18%3A07%3A44.3091019Z\u0027\u0022", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" ], "X-Content-Type-Options": "nosniff", - "x-ms-client-request-id": "32eaa16e7ee69757475f2443f45be036", - "x-ms-request-id": "a0288834-e002-0026-1a12-207c0c000000", + "x-ms-client-request-id": "8f4c54a36791afcdc6fad044dce21473", + "x-ms-request-id": "1054b586-d002-0002-31eb-3d8aac000000", "x-ms-version": "2019-02-02" }, "ResponseBody": [] }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/testtable15crens9()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/testtable15crens9()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", "RequestMethod": "GET", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "traceparent": "00-703d7a7bd03f084bbef96bc4ba00f365-e8ffa08bda23ef41-00", + "traceparent": "00-fab4da8961b95a449673f19787db0038-71f8b3a068b9dc4c-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "8f4c54a36791afcdc6fad044dce21473", - "x-ms-date": "Tue, 23 Mar 2021 18:29:11 GMT", + "x-ms-client-request-id": "97ad622ef1e1bb6b41f8325f2201eddd", + "x-ms-date": "Fri, 30 Apr 2021 18:07:44 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -266,45 +310,45 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Type": "application/json; odata=minimalmetadata; streaming=true; charset=utf-8", - "Date": "Tue, 23 Mar 2021 18:29:13 GMT", + "Date": "Fri, 30 Apr 2021 18:07:44 GMT", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" ], "Transfer-Encoding": "chunked", "X-Content-Type-Options": "nosniff", - "x-ms-client-request-id": "8f4c54a36791afcdc6fad044dce21473", - "x-ms-request-id": "a0288837-e002-0026-1c12-207c0c000000", + "x-ms-client-request-id": "97ad622ef1e1bb6b41f8325f2201eddd", + "x-ms-request-id": "1054b589-d002-0002-34eb-3d8aac000000", "x-ms-version": "2019-02-02" }, "ResponseBody": { - "odata.metadata": "https://jverazsdkprim.table.core.windows.net/$metadata#testtable15crens9", + "odata.metadata": "https://chrisstablesprim.table.core.windows.net/$metadata#testtable15crens9", "value": [ { - "odata.etag": "W/\u0022datetime\u00272021-03-23T18%3A29%3A14.6897007Z\u0027\u0022", + "odata.etag": "W/\u0022datetime\u00272021-04-30T18%3A07%3A44.3091019Z\u0027\u0022", "PartitionKey": "somPartition", "RowKey": "1", - "Timestamp": "2021-03-23T18:29:14.6897007Z", + "Timestamp": "2021-04-30T18:07:44.3091019Z", "SomeStringProperty": "This is the original" } ] } }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/testtable15crens9(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/testtable15crens9(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "If-Match": "W/\u0022datetime\u00272021-03-23T18%3A29%3A14.5936328Z\u0027\u0022", - "traceparent": "00-5faed86e05d0054ca440488206c99a9d-dc3ba29d5781964a-00", + "If-Match": "W/\u0022datetime\u00272021-04-30T18%3A07%3A43.9478464Z\u0027\u0022", + "traceparent": "00-a7fe245b4c9c924297be713242b4d72c-742c46bdf415b54c-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "97ad622ef1e1bb6b41f8325f2201eddd", - "x-ms-date": "Tue, 23 Mar 2021 18:29:11 GMT", + "x-ms-client-request-id": "7ce71c7eb81c065ed43a6bebae13bb64", + "x-ms-date": "Fri, 30 Apr 2021 18:07:44 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -313,15 +357,15 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Type": "application/json; odata=minimalmetadata; streaming=true; charset=utf-8", - "Date": "Tue, 23 Mar 2021 18:29:13 GMT", + "Date": "Fri, 30 Apr 2021 18:07:44 GMT", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" ], "Transfer-Encoding": "chunked", "X-Content-Type-Options": "nosniff", - "x-ms-client-request-id": "97ad622ef1e1bb6b41f8325f2201eddd", - "x-ms-request-id": "a028883c-e002-0026-2112-207c0c000000", + "x-ms-client-request-id": "7ce71c7eb81c065ed43a6bebae13bb64", + "x-ms-request-id": "1054b58d-d002-0002-38eb-3d8aac000000", "x-ms-version": "2019-02-02" }, "ResponseBody": { @@ -329,26 +373,26 @@ "code": "UpdateConditionNotSatisfied", "message": { "lang": "en-US", - "value": "The update condition specified in the request was not satisfied.\nRequestId:a028883c-e002-0026-2112-207c0c000000\nTime:2021-03-23T18:29:14.7444001Z" + "value": "The update condition specified in the request was not satisfied.\nRequestId:1054b58d-d002-0002-38eb-3d8aac000000\nTime:2021-04-30T18:07:44.4506192Z" } } } }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/testtable15crens9(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/testtable15crens9(PartitionKey=\u0027somPartition\u0027,RowKey=\u00271\u0027)?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "If-Match": "W/\u0022datetime\u00272021-03-23T18%3A29%3A14.6897007Z\u0027\u0022", - "traceparent": "00-916c50a13bce214292ead10a258924a3-9bb500a354eeb047-00", + "If-Match": "W/\u0022datetime\u00272021-04-30T18%3A07%3A44.3091019Z\u0027\u0022", + "traceparent": "00-350667e1dce6d34d82443f3287b65720-02d5ed296818a240-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "7ce71c7eb81c065ed43a6bebae13bb64", - "x-ms-date": "Tue, 23 Mar 2021 18:29:11 GMT", + "x-ms-client-request-id": "9114b14a49aeb154e8914e98356d8dc5", + "x-ms-date": "Fri, 30 Apr 2021 18:07:44 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -357,32 +401,32 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Length": "0", - "Date": "Tue, 23 Mar 2021 18:29:13 GMT", + "Date": "Fri, 30 Apr 2021 18:07:44 GMT", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" ], "X-Content-Type-Options": "nosniff", - "x-ms-client-request-id": "7ce71c7eb81c065ed43a6bebae13bb64", - "x-ms-request-id": "a028883e-e002-0026-2312-207c0c000000", + "x-ms-client-request-id": "9114b14a49aeb154e8914e98356d8dc5", + "x-ms-request-id": "1054b590-d002-0002-3beb-3d8aac000000", "x-ms-version": "2019-02-02" }, "ResponseBody": [] }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/testtable15crens9()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/testtable15crens9()?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=PartitionKey%20eq%20%27somPartition%27%20and%20RowKey%20eq%20%271%27", "RequestMethod": "GET", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "traceparent": "00-6e4e2daa8e855044ab437363926ac931-d54a8d8b03d6c541-00", + "traceparent": "00-a5e3dabdaf1c564a8216a1f69219f73a-e36bdc4736edae4b-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "9114b14a49aeb154e8914e98356d8dc5", - "x-ms-date": "Tue, 23 Mar 2021 18:29:11 GMT", + "x-ms-client-request-id": "bfc5f20d98fa765604a6c2a786800c2e", + "x-ms-date": "Fri, 30 Apr 2021 18:07:45 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -391,35 +435,35 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Type": "application/json; odata=minimalmetadata; streaming=true; charset=utf-8", - "Date": "Tue, 23 Mar 2021 18:29:13 GMT", + "Date": "Fri, 30 Apr 2021 18:07:44 GMT", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" ], "Transfer-Encoding": "chunked", "X-Content-Type-Options": "nosniff", - "x-ms-client-request-id": "9114b14a49aeb154e8914e98356d8dc5", - "x-ms-request-id": "a0288841-e002-0026-2612-207c0c000000", + "x-ms-client-request-id": "bfc5f20d98fa765604a6c2a786800c2e", + "x-ms-request-id": "1054b594-d002-0002-3feb-3d8aac000000", "x-ms-version": "2019-02-02" }, "ResponseBody": { - "odata.metadata": "https://jverazsdkprim.table.core.windows.net/$metadata#testtable15crens9", + "odata.metadata": "https://chrisstablesprim.table.core.windows.net/$metadata#testtable15crens9", "value": [] } }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/Tables(\u0027testtable15crens9\u0027)", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/Tables(\u0027testtable15crens9\u0027)", "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json", "Authorization": "Sanitized", - "traceparent": "00-656010bd2f5c444496b0ff31d6f5b779-f87d3b4b454e934d-00", + "traceparent": "00-919b9021452b9c439349fbcf3449da3a-e972273fa461694d-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "bfc5f20d98fa765604a6c2a786800c2e", - "x-ms-date": "Tue, 23 Mar 2021 18:29:11 GMT", + "x-ms-client-request-id": "7115cd3d5cec352fc835948b69c5d067", + "x-ms-date": "Fri, 30 Apr 2021 18:07:45 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -428,14 +472,14 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Length": "0", - "Date": "Tue, 23 Mar 2021 18:29:13 GMT", + "Date": "Fri, 30 Apr 2021 18:07:44 GMT", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" ], "X-Content-Type-Options": "nosniff", - "x-ms-client-request-id": "bfc5f20d98fa765604a6c2a786800c2e", - "x-ms-request-id": "a0288844-e002-0026-2912-207c0c000000", + "x-ms-client-request-id": "7115cd3d5cec352fc835948b69c5d067", + "x-ms-request-id": "1054b597-d002-0002-42eb-3d8aac000000", "x-ms-version": "2019-02-02" }, "ResponseBody": [] @@ -445,6 +489,6 @@ "RandomSeed": "1636867391", "STORAGE_ENDPOINT_SUFFIX": "core.windows.net", "TABLES_PRIMARY_STORAGE_ACCOUNT_KEY": "Kg==", - "TABLES_STORAGE_ACCOUNT_NAME": "jverazsdkprim" + "TABLES_STORAGE_ACCOUNT_NAME": "chrisstablesprim" } } \ No newline at end of file diff --git a/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(Storage)/ValidateCreateDeleteTable.json b/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(Storage)/ValidateCreateDeleteTable.json index f68dd3d3da12..0378c59b37d4 100644 --- a/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(Storage)/ValidateCreateDeleteTable.json +++ b/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(Storage)/ValidateCreateDeleteTable.json @@ -1,7 +1,7 @@ { "Entries": [ { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "POST", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", @@ -9,13 +9,13 @@ "Content-Length": "33", "Content-Type": "application/json; odata=nometadata", "DataServiceVersion": "3.0", - "traceparent": "00-9fdd2aa03fa57043a5f49e76e658fc42-78cc6bbc171c6e4b-00", + "traceparent": "00-743eb1b3f5a5b643a4434310c08ddf5d-58486b3530ef6448-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "a571a973dc0f2034a8a623a7f5c83e70", - "x-ms-date": "Tue, 23 Mar 2021 18:28:37 GMT", + "x-ms-date": "Fri, 30 Apr 2021 17:40:11 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -26,8 +26,8 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Type": "application/json; odata=minimalmetadata; streaming=true; charset=utf-8", - "Date": "Tue, 23 Mar 2021 18:28:39 GMT", - "Location": "https://jverazsdkprim.table.core.windows.net/Tables(\u0027testtablee0w7o5qv\u0027)", + "Date": "Fri, 30 Apr 2021 17:40:10 GMT", + "Location": "https://chrisstablesprim.table.core.windows.net/Tables(\u0027testtablee0w7o5qv\u0027)", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" @@ -35,16 +35,16 @@ "Transfer-Encoding": "chunked", "X-Content-Type-Options": "nosniff", "x-ms-client-request-id": "a571a973dc0f2034a8a623a7f5c83e70", - "x-ms-request-id": "a0287539-e002-0026-0812-207c0c000000", + "x-ms-request-id": "885538dc-a002-0045-6ee7-3de1f7000000", "x-ms-version": "2019-02-02" }, "ResponseBody": { - "odata.metadata": "https://jverazsdkprim.table.core.windows.net/$metadata#Tables/@Element", + "odata.metadata": "https://chrisstablesprim.table.core.windows.net/$metadata#Tables/@Element", "TableName": "testtablee0w7o5qv" } }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "POST", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", @@ -52,13 +52,13 @@ "Content-Length": "33", "Content-Type": "application/json; odata=nometadata", "DataServiceVersion": "3.0", - "traceparent": "00-2237e1a965ea414db1e963ea801c9a66-ce33897745e6d440-00", + "traceparent": "00-7304e2fd5d6a6b4ea2e5aa7b17892e62-2372e7f65a733241-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "62330f13e32c75a64c6c8931c47e4eac", - "x-ms-date": "Tue, 23 Mar 2021 18:28:37 GMT", + "x-ms-date": "Fri, 30 Apr 2021 17:40:12 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -69,8 +69,8 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Type": "application/json; odata=minimalmetadata; streaming=true; charset=utf-8", - "Date": "Tue, 23 Mar 2021 18:28:39 GMT", - "Location": "https://jverazsdkprim.table.core.windows.net/Tables(\u0027testtablefe6l1uob\u0027)", + "Date": "Fri, 30 Apr 2021 17:40:10 GMT", + "Location": "https://chrisstablesprim.table.core.windows.net/Tables(\u0027testtablefe6l1uob\u0027)", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" @@ -78,28 +78,28 @@ "Transfer-Encoding": "chunked", "X-Content-Type-Options": "nosniff", "x-ms-client-request-id": "62330f13e32c75a64c6c8931c47e4eac", - "x-ms-request-id": "a028753d-e002-0026-0b12-207c0c000000", + "x-ms-request-id": "885538ee-a002-0045-7ee7-3de1f7000000", "x-ms-version": "2019-02-02" }, "ResponseBody": { - "odata.metadata": "https://jverazsdkprim.table.core.windows.net/$metadata#Tables/@Element", + "odata.metadata": "https://chrisstablesprim.table.core.windows.net/$metadata#Tables/@Element", "TableName": "testtablefe6l1uob" } }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=TableName%20eq%20%27testtablefe6l1uob%27", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=TableName%20eq%20%27testtablefe6l1uob%27", "RequestMethod": "GET", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "traceparent": "00-bcdb90765ccda049a00a55785fee87fb-742f0592a1e99d46-00", + "traceparent": "00-252c872fdc39f5458fa1741bbcc84fcc-77af30f8dccee34c-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "445369695236f8682f4793a3fc82ec21", - "x-ms-date": "Tue, 23 Mar 2021 18:28:37 GMT", + "x-ms-date": "Fri, 30 Apr 2021 17:40:12 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -108,7 +108,7 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Type": "application/json; odata=minimalmetadata; streaming=true; charset=utf-8", - "Date": "Tue, 23 Mar 2021 18:28:39 GMT", + "Date": "Fri, 30 Apr 2021 17:40:11 GMT", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" @@ -116,11 +116,11 @@ "Transfer-Encoding": "chunked", "X-Content-Type-Options": "nosniff", "x-ms-client-request-id": "445369695236f8682f4793a3fc82ec21", - "x-ms-request-id": "a0287541-e002-0026-0e12-207c0c000000", + "x-ms-request-id": "885538fb-a002-0045-0ae7-3de1f7000000", "x-ms-version": "2019-02-02" }, "ResponseBody": { - "odata.metadata": "https://jverazsdkprim.table.core.windows.net/$metadata#Tables", + "odata.metadata": "https://chrisstablesprim.table.core.windows.net/$metadata#Tables", "value": [ { "TableName": "testtablefe6l1uob" @@ -129,18 +129,18 @@ } }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/Tables(\u0027testtablefe6l1uob\u0027)", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/Tables(\u0027testtablefe6l1uob\u0027)", "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json", "Authorization": "Sanitized", - "traceparent": "00-d5976f2d01702c40aa6c820b7ac206ee-86048b55ba9a2344-00", + "traceparent": "00-b76f2e2783c6914086708eafa959bc32-8868c9969ce9a546-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "ff9210d4d1a9c5f4ffad5b893f0cab40", - "x-ms-date": "Tue, 23 Mar 2021 18:28:37 GMT", + "x-ms-date": "Fri, 30 Apr 2021 17:40:12 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -149,32 +149,74 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Length": "0", - "Date": "Tue, 23 Mar 2021 18:28:39 GMT", + "Date": "Fri, 30 Apr 2021 17:40:11 GMT", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" ], "X-Content-Type-Options": "nosniff", "x-ms-client-request-id": "ff9210d4d1a9c5f4ffad5b893f0cab40", - "x-ms-request-id": "a0287546-e002-0026-1312-207c0c000000", + "x-ms-request-id": "8855390d-a002-0045-1be7-3de1f7000000", "x-ms-version": "2019-02-02" }, "ResponseBody": [] }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=TableName%20eq%20%27testtablefe6l1uob%27", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/Tables(\u0027testtablefe6l1uob\u0027)", + "RequestMethod": "DELETE", + "RequestHeaders": { + "Accept": "application/json", + "Authorization": "Sanitized", + "traceparent": "00-9e8c0fdac9303145b0e25b7ac27ea0d1-0e32c1b066b3d649-00", + "User-Agent": [ + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" + ], + "x-ms-client-request-id": "1732594690fdc02aa73a33e44f0378ca", + "x-ms-date": "Fri, 30 Apr 2021 17:40:12 GMT", + "x-ms-return-client-request-id": "true", + "x-ms-version": "2019-02-02" + }, + "RequestBody": null, + "StatusCode": 404, + "ResponseHeaders": { + "Cache-Control": "no-cache", + "Content-Type": "application/json; odata=minimalmetadata; streaming=true; charset=utf-8", + "Date": "Fri, 30 Apr 2021 17:40:11 GMT", + "Server": [ + "Windows-Azure-Table/1.0", + "Microsoft-HTTPAPI/2.0" + ], + "Transfer-Encoding": "chunked", + "X-Content-Type-Options": "nosniff", + "x-ms-client-request-id": "1732594690fdc02aa73a33e44f0378ca", + "x-ms-request-id": "8855391c-a002-0045-2ae7-3de1f7000000", + "x-ms-version": "2019-02-02" + }, + "ResponseBody": { + "odata.error": { + "code": "ResourceNotFound", + "message": { + "lang": "en-US", + "value": "The specified resource does not exist.\nRequestId:8855391c-a002-0045-2ae7-3de1f7000000\nTime:2021-04-30T17:40:11.8457573Z" + } + } + } + }, + { + "RequestUri": "https://chrisstablesprim.table.core.windows.net/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=TableName%20eq%20%27testtablefe6l1uob%27", "RequestMethod": "GET", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "traceparent": "00-f0dfc0dcf6ee2b49a0380952fede135f-4fa0e5abbc163844-00", + "traceparent": "00-6bd1cdadd992d64f809b0e625e3a6792-1a7b3c7947c0a248-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "1732594690fdc02aa73a33e44f0378ca", - "x-ms-date": "Tue, 23 Mar 2021 18:28:37 GMT", + "x-ms-client-request-id": "b45d677f4eeb9703758e4488f7dfb923", + "x-ms-date": "Fri, 30 Apr 2021 17:40:12 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -183,35 +225,35 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Type": "application/json; odata=minimalmetadata; streaming=true; charset=utf-8", - "Date": "Tue, 23 Mar 2021 18:28:39 GMT", + "Date": "Fri, 30 Apr 2021 17:40:11 GMT", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" ], "Transfer-Encoding": "chunked", "X-Content-Type-Options": "nosniff", - "x-ms-client-request-id": "1732594690fdc02aa73a33e44f0378ca", - "x-ms-request-id": "a028754b-e002-0026-1812-207c0c000000", + "x-ms-client-request-id": "b45d677f4eeb9703758e4488f7dfb923", + "x-ms-request-id": "8855392f-a002-0045-3de7-3de1f7000000", "x-ms-version": "2019-02-02" }, "ResponseBody": { - "odata.metadata": "https://jverazsdkprim.table.core.windows.net/$metadata#Tables", + "odata.metadata": "https://chrisstablesprim.table.core.windows.net/$metadata#Tables", "value": [] } }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/Tables(\u0027testtablee0w7o5qv\u0027)", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/Tables(\u0027testtablee0w7o5qv\u0027)", "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json", "Authorization": "Sanitized", - "traceparent": "00-6945171c577f07459ac8255df2284397-e949bb825a22dc43-00", + "traceparent": "00-300055534505bc44aaee735ebdb25752-52f4d365c0bafd43-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "b45d677f4eeb9703758e4488f7dfb923", - "x-ms-date": "Tue, 23 Mar 2021 18:28:37 GMT", + "x-ms-client-request-id": "a35c539bd5504324e6d2586e9e0f75fc", + "x-ms-date": "Fri, 30 Apr 2021 17:40:12 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -220,14 +262,14 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Length": "0", - "Date": "Tue, 23 Mar 2021 18:28:39 GMT", + "Date": "Fri, 30 Apr 2021 17:40:11 GMT", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" ], "X-Content-Type-Options": "nosniff", - "x-ms-client-request-id": "b45d677f4eeb9703758e4488f7dfb923", - "x-ms-request-id": "a0287552-e002-0026-1d12-207c0c000000", + "x-ms-client-request-id": "a35c539bd5504324e6d2586e9e0f75fc", + "x-ms-request-id": "8855393f-a002-0045-4de7-3de1f7000000", "x-ms-version": "2019-02-02" }, "ResponseBody": [] @@ -237,6 +279,6 @@ "RandomSeed": "1987403566", "STORAGE_ENDPOINT_SUFFIX": "core.windows.net", "TABLES_PRIMARY_STORAGE_ACCOUNT_KEY": "Kg==", - "TABLES_STORAGE_ACCOUNT_NAME": "jverazsdkprim" + "TABLES_STORAGE_ACCOUNT_NAME": "chrisstablesprim" } } \ No newline at end of file diff --git a/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(Storage)/ValidateCreateDeleteTableAsync.json b/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(Storage)/ValidateCreateDeleteTableAsync.json index a1d182e14191..b66cb93fa115 100644 --- a/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(Storage)/ValidateCreateDeleteTableAsync.json +++ b/sdk/tables/Azure.Data.Tables/tests/SessionRecords/TableClientLiveTests(Storage)/ValidateCreateDeleteTableAsync.json @@ -1,7 +1,7 @@ { "Entries": [ { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "POST", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", @@ -9,13 +9,13 @@ "Content-Length": "33", "Content-Type": "application/json; odata=nometadata", "DataServiceVersion": "3.0", - "traceparent": "00-4606ae0ec33d8744bbfbb604e560719d-35015e21821fd64d-00", + "traceparent": "00-666c8417dc53ac47a9edd19c8802cb6a-14d970602cc2354e-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "af35be2a0b4b71cea9b248b34b5077bc", - "x-ms-date": "Tue, 23 Mar 2021 18:29:13 GMT", + "x-ms-date": "Fri, 30 Apr 2021 17:40:14 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -26,8 +26,8 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Type": "application/json; odata=minimalmetadata; streaming=true; charset=utf-8", - "Date": "Tue, 23 Mar 2021 18:29:15 GMT", - "Location": "https://jverazsdkprim.table.core.windows.net/Tables(\u0027testtableceee76ve\u0027)", + "Date": "Fri, 30 Apr 2021 17:40:13 GMT", + "Location": "https://chrisstablesprim.table.core.windows.net/Tables(\u0027testtableceee76ve\u0027)", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" @@ -35,16 +35,16 @@ "Transfer-Encoding": "chunked", "X-Content-Type-Options": "nosniff", "x-ms-client-request-id": "af35be2a0b4b71cea9b248b34b5077bc", - "x-ms-request-id": "a028890d-e002-0026-6112-207c0c000000", + "x-ms-request-id": "88553a8a-a002-0045-11e7-3de1f7000000", "x-ms-version": "2019-02-02" }, "ResponseBody": { - "odata.metadata": "https://jverazsdkprim.table.core.windows.net/$metadata#Tables/@Element", + "odata.metadata": "https://chrisstablesprim.table.core.windows.net/$metadata#Tables/@Element", "TableName": "testtableceee76ve" } }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata", "RequestMethod": "POST", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", @@ -52,13 +52,13 @@ "Content-Length": "33", "Content-Type": "application/json; odata=nometadata", "DataServiceVersion": "3.0", - "traceparent": "00-2f7d17562023a24e90111635f54892e9-b287d97081dad242-00", + "traceparent": "00-4d80348d5f29844683c84a1adc7aa8e0-cd7a0d60551bff4a-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "d410d0cb7ba03b3f6f68e8ba6699af59", - "x-ms-date": "Tue, 23 Mar 2021 18:29:13 GMT", + "x-ms-date": "Fri, 30 Apr 2021 17:40:14 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -69,8 +69,8 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Type": "application/json; odata=minimalmetadata; streaming=true; charset=utf-8", - "Date": "Tue, 23 Mar 2021 18:29:15 GMT", - "Location": "https://jverazsdkprim.table.core.windows.net/Tables(\u0027testtablee7z4otrx\u0027)", + "Date": "Fri, 30 Apr 2021 17:40:13 GMT", + "Location": "https://chrisstablesprim.table.core.windows.net/Tables(\u0027testtablee7z4otrx\u0027)", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" @@ -78,28 +78,28 @@ "Transfer-Encoding": "chunked", "X-Content-Type-Options": "nosniff", "x-ms-client-request-id": "d410d0cb7ba03b3f6f68e8ba6699af59", - "x-ms-request-id": "a0288912-e002-0026-6412-207c0c000000", + "x-ms-request-id": "88553aa0-a002-0045-26e7-3de1f7000000", "x-ms-version": "2019-02-02" }, "ResponseBody": { - "odata.metadata": "https://jverazsdkprim.table.core.windows.net/$metadata#Tables/@Element", + "odata.metadata": "https://chrisstablesprim.table.core.windows.net/$metadata#Tables/@Element", "TableName": "testtablee7z4otrx" } }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=TableName%20eq%20%27testtablee7z4otrx%27", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=TableName%20eq%20%27testtablee7z4otrx%27", "RequestMethod": "GET", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "traceparent": "00-dce409bf7d8ae74e93daeacd9661840a-45398d4842ab2e48-00", + "traceparent": "00-e1963028b03b444ca27590194b2d9187-bb82c70faf23dd43-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "ebbe30f4a6ea4a3fc870a51e4cee4d59", - "x-ms-date": "Tue, 23 Mar 2021 18:29:13 GMT", + "x-ms-date": "Fri, 30 Apr 2021 17:40:14 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -108,7 +108,7 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Type": "application/json; odata=minimalmetadata; streaming=true; charset=utf-8", - "Date": "Tue, 23 Mar 2021 18:29:15 GMT", + "Date": "Fri, 30 Apr 2021 17:40:13 GMT", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" @@ -116,11 +116,11 @@ "Transfer-Encoding": "chunked", "X-Content-Type-Options": "nosniff", "x-ms-client-request-id": "ebbe30f4a6ea4a3fc870a51e4cee4d59", - "x-ms-request-id": "a028891a-e002-0026-6b12-207c0c000000", + "x-ms-request-id": "88553aed-a002-0045-70e7-3de1f7000000", "x-ms-version": "2019-02-02" }, "ResponseBody": { - "odata.metadata": "https://jverazsdkprim.table.core.windows.net/$metadata#Tables", + "odata.metadata": "https://chrisstablesprim.table.core.windows.net/$metadata#Tables", "value": [ { "TableName": "testtablee7z4otrx" @@ -129,18 +129,18 @@ } }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/Tables(\u0027testtablee7z4otrx\u0027)", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/Tables(\u0027testtablee7z4otrx\u0027)", "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json", "Authorization": "Sanitized", - "traceparent": "00-0ea97f2e3ff62d419914cbb69008756d-4bc57bccf7157c4b-00", + "traceparent": "00-5b9436449388b641a68d93631c38b61a-82089d9ea5cd8341-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], "x-ms-client-request-id": "7be33475fafa2ed0720d43e367bc56bb", - "x-ms-date": "Tue, 23 Mar 2021 18:29:13 GMT", + "x-ms-date": "Fri, 30 Apr 2021 17:40:14 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -149,32 +149,74 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Length": "0", - "Date": "Tue, 23 Mar 2021 18:29:15 GMT", + "Date": "Fri, 30 Apr 2021 17:40:13 GMT", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" ], "X-Content-Type-Options": "nosniff", "x-ms-client-request-id": "7be33475fafa2ed0720d43e367bc56bb", - "x-ms-request-id": "a0288924-e002-0026-7512-207c0c000000", + "x-ms-request-id": "88553b14-a002-0045-13e7-3de1f7000000", "x-ms-version": "2019-02-02" }, "ResponseBody": [] }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=TableName%20eq%20%27testtablee7z4otrx%27", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/Tables(\u0027testtablee7z4otrx\u0027)", + "RequestMethod": "DELETE", + "RequestHeaders": { + "Accept": "application/json", + "Authorization": "Sanitized", + "traceparent": "00-44279c55bba09e4eb9d283ca6309843e-3a2463083ac69646-00", + "User-Agent": [ + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" + ], + "x-ms-client-request-id": "d7360ff05d12241690c60c30d521ee81", + "x-ms-date": "Fri, 30 Apr 2021 17:40:15 GMT", + "x-ms-return-client-request-id": "true", + "x-ms-version": "2019-02-02" + }, + "RequestBody": null, + "StatusCode": 404, + "ResponseHeaders": { + "Cache-Control": "no-cache", + "Content-Type": "application/json; odata=minimalmetadata; streaming=true; charset=utf-8", + "Date": "Fri, 30 Apr 2021 17:40:14 GMT", + "Server": [ + "Windows-Azure-Table/1.0", + "Microsoft-HTTPAPI/2.0" + ], + "Transfer-Encoding": "chunked", + "X-Content-Type-Options": "nosniff", + "x-ms-client-request-id": "d7360ff05d12241690c60c30d521ee81", + "x-ms-request-id": "88553b34-a002-0045-33e7-3de1f7000000", + "x-ms-version": "2019-02-02" + }, + "ResponseBody": { + "odata.error": { + "code": "ResourceNotFound", + "message": { + "lang": "en-US", + "value": "The specified resource does not exist.\nRequestId:88553b34-a002-0045-33e7-3de1f7000000\nTime:2021-04-30T17:40:14.6457487Z" + } + } + } + }, + { + "RequestUri": "https://chrisstablesprim.table.core.windows.net/Tables?$format=application%2Fjson%3Bodata%3Dminimalmetadata\u0026$filter=TableName%20eq%20%27testtablee7z4otrx%27", "RequestMethod": "GET", "RequestHeaders": { "Accept": "application/json; odata=minimalmetadata", "Authorization": "Sanitized", "DataServiceVersion": "3.0", - "traceparent": "00-162fed093079634490043b32b84271ba-f410b088f35ff64a-00", + "traceparent": "00-05196f3f0b8d074fafc78a2b1e68b0a6-ab7eb32a38514247-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "d7360ff05d12241690c60c30d521ee81", - "x-ms-date": "Tue, 23 Mar 2021 18:29:13 GMT", + "x-ms-client-request-id": "32458e1a34b6fa5e5f9079dd635be20b", + "x-ms-date": "Fri, 30 Apr 2021 17:40:15 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -183,35 +225,35 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Type": "application/json; odata=minimalmetadata; streaming=true; charset=utf-8", - "Date": "Tue, 23 Mar 2021 18:29:15 GMT", + "Date": "Fri, 30 Apr 2021 17:40:14 GMT", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" ], "Transfer-Encoding": "chunked", "X-Content-Type-Options": "nosniff", - "x-ms-client-request-id": "d7360ff05d12241690c60c30d521ee81", - "x-ms-request-id": "a0288925-e002-0026-7612-207c0c000000", + "x-ms-client-request-id": "32458e1a34b6fa5e5f9079dd635be20b", + "x-ms-request-id": "88553b49-a002-0045-47e7-3de1f7000000", "x-ms-version": "2019-02-02" }, "ResponseBody": { - "odata.metadata": "https://jverazsdkprim.table.core.windows.net/$metadata#Tables", + "odata.metadata": "https://chrisstablesprim.table.core.windows.net/$metadata#Tables", "value": [] } }, { - "RequestUri": "https://jverazsdkprim.table.core.windows.net/Tables(\u0027testtableceee76ve\u0027)", + "RequestUri": "https://chrisstablesprim.table.core.windows.net/Tables(\u0027testtableceee76ve\u0027)", "RequestMethod": "DELETE", "RequestHeaders": { "Accept": "application/json", "Authorization": "Sanitized", - "traceparent": "00-310b79ec450cbd498f2e1720715e9d3b-2f88dd4516147241-00", + "traceparent": "00-9aa9af9742749242bcaf1754e9d8aa6b-6c11fb583a304c47-00", "User-Agent": [ - "azsdk-net-Data.Tables/12.0.0-alpha.20210323.1", - "(.NET 5.0.4; Microsoft Windows 10.0.19042)" + "azsdk-net-Data.Tables/12.0.0-alpha.20210430.1", + "(.NET 5.0.5; Microsoft Windows 10.0.19042)" ], - "x-ms-client-request-id": "32458e1a34b6fa5e5f9079dd635be20b", - "x-ms-date": "Tue, 23 Mar 2021 18:29:13 GMT", + "x-ms-client-request-id": "3c2dea1a76b817471ebeea33eda05850", + "x-ms-date": "Fri, 30 Apr 2021 17:40:15 GMT", "x-ms-return-client-request-id": "true", "x-ms-version": "2019-02-02" }, @@ -220,14 +262,14 @@ "ResponseHeaders": { "Cache-Control": "no-cache", "Content-Length": "0", - "Date": "Tue, 23 Mar 2021 18:29:15 GMT", + "Date": "Fri, 30 Apr 2021 17:40:14 GMT", "Server": [ "Windows-Azure-Table/1.0", "Microsoft-HTTPAPI/2.0" ], "X-Content-Type-Options": "nosniff", - "x-ms-client-request-id": "32458e1a34b6fa5e5f9079dd635be20b", - "x-ms-request-id": "a0288928-e002-0026-7912-207c0c000000", + "x-ms-client-request-id": "3c2dea1a76b817471ebeea33eda05850", + "x-ms-request-id": "88553b56-a002-0045-54e7-3de1f7000000", "x-ms-version": "2019-02-02" }, "ResponseBody": [] @@ -237,6 +279,6 @@ "RandomSeed": "1915310371", "STORAGE_ENDPOINT_SUFFIX": "core.windows.net", "TABLES_PRIMARY_STORAGE_ACCOUNT_KEY": "Kg==", - "TABLES_STORAGE_ACCOUNT_NAME": "jverazsdkprim" + "TABLES_STORAGE_ACCOUNT_NAME": "chrisstablesprim" } } \ No newline at end of file diff --git a/sdk/tables/Azure.Data.Tables/tests/TableClientLiveTests.cs b/sdk/tables/Azure.Data.Tables/tests/TableClientLiveTests.cs index 1da3a66b49ec..fb10f74e5d36 100644 --- a/sdk/tables/Azure.Data.Tables/tests/TableClientLiveTests.cs +++ b/sdk/tables/Azure.Data.Tables/tests/TableClientLiveTests.cs @@ -67,7 +67,7 @@ public async Task ValidateCreateDeleteTable() await CosmosThrottleWrapper(async () => await tableClient.CreateAsync().ConfigureAwait(false)); // Check that the table was created. - var tableResponses = (await service.GetTablesAsync(filter: TableOdataFilter.Create($"TableName eq {validTableName}")) + var tableResponses = (await service.QueryAsync(TableOdataFilter.Create($"TableName eq {validTableName}")) .ToEnumerableAsync() .ConfigureAwait(false)).ToList(); Assert.That(() => tableResponses, Is.Not.Empty); @@ -75,8 +75,11 @@ public async Task ValidateCreateDeleteTable() // Delete the table using the TableClient method. await CosmosThrottleWrapper(async () => await tableClient.DeleteAsync().ConfigureAwait(false)); + // Validate that we can call delete again without throwing. + await CosmosThrottleWrapper(async () => await tableClient.DeleteAsync().ConfigureAwait(false)); + // Check that the table was deleted. - tableResponses = (await service.GetTablesAsync(filter: $"TableName eq '{validTableName}'").ToEnumerableAsync().ConfigureAwait(false)).ToList(); + tableResponses = (await service.QueryAsync($"TableName eq '{validTableName}'").ToEnumerableAsync().ConfigureAwait(false)).ToList(); Assert.That(() => tableResponses, Is.Empty); } @@ -102,7 +105,7 @@ public void ValidateSasCredentials() // Create the TableServiceClient using the SAS URI. TableClient sasTableclient = - InstrumentClient(new TableClient(new Uri(ServiceUri), new AzureSasCredential(token), InstrumentClientOptions(new TableClientOptions()))); + InstrumentClient(new TableClient(new Uri(ServiceUri), new AzureSasCredential(token), InstrumentClientOptions(new TablesClientOptions()))); // Validate that we are able to query the table from the service. @@ -150,7 +153,7 @@ public void ValidateSasCredentialsDuplicateTokenInUriAndCred() // Create the TableServiceClient using the SAS URI. // Intentionally add the SAS to the endpoint arg as well as the credential to validate de-duping TableClient sasTableclient = - InstrumentClient(new TableClient(sasUri.Uri, new AzureSasCredential(token), InstrumentClientOptions(new TableClientOptions()))); + InstrumentClient(new TableClient(sasUri.Uri, new AzureSasCredential(token), InstrumentClientOptions(new TablesClientOptions()))); // Validate that we are able to query the table from the service. @@ -203,7 +206,7 @@ public async Task ValidateSasCredentialsWithRowKeyAndPartitionKeyRanges() // Create the TableServiceClient using the SAS URI. var sasAuthedService = - InstrumentClient(new TableServiceClient(new Uri(ServiceUri), new AzureSasCredential(token), InstrumentClientOptions(new TableClientOptions()))); + InstrumentClient(new TableServiceClient(new Uri(ServiceUri), new AzureSasCredential(token), InstrumentClientOptions(new TablesClientOptions()))); var sasTableclient = sasAuthedService.GetTableClient(tableName); // Insert the entities @@ -269,7 +272,7 @@ public async Task CreatedDynamicEntitiesCanBeQueriedWithFilters() // Query the entities with a filter specifying that to RowKey value must be greater than or equal to '10'. - entityResults = await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey gt '10'") + entityResults = await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey gt '10'") .ToEnumerableAsync() .ConfigureAwait(false); @@ -291,7 +294,7 @@ public async Task CreatedEntitiesCanBeQueriedWithFilters() // Query the entities with a filter specifying that to RowKey value must be greater than or equal to '10'. - entityResults = await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey gt '10'") + entityResults = await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey gt '10'") .ToEnumerableAsync() .ConfigureAwait(false); @@ -319,7 +322,7 @@ public async Task EntityCanBeUpserted() // Fetch the created entity from the service. - var entityToUpdate = (await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + var entityToUpdate = (await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false)).Single(); @@ -328,7 +331,7 @@ public async Task EntityCanBeUpserted() // Fetch the updated entity from the service. - var updatedEntity = (await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + var updatedEntity = (await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false)).Single(); @@ -356,7 +359,7 @@ public async Task EntityUpdateRespectsEtag() // Fetch the created entity from the service. - var originalEntity = (await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + var originalEntity = (await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false)).Single(); originalEntity[propertyName] = updatedValue; @@ -367,7 +370,7 @@ public async Task EntityUpdateRespectsEtag() // Fetch the updated entity from the service. - var updatedEntity = (await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + var updatedEntity = (await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false)).Single(); @@ -388,7 +391,7 @@ public async Task EntityUpdateRespectsEtag() // Fetch the newly updated entity from the service. - updatedEntity = (await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + updatedEntity = (await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false)).Single(); @@ -416,7 +419,7 @@ public async Task EntityMergeRespectsEtag() // Fetch the created entity from the service. - var originalEntity = (await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + var originalEntity = (await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false)).Single(); originalEntity[propertyName] = updatedValue; @@ -427,7 +430,7 @@ public async Task EntityMergeRespectsEtag() // Fetch the updated entity from the service. - var updatedEntity = (await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + var updatedEntity = (await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false)).Single(); @@ -448,7 +451,7 @@ public async Task EntityMergeRespectsEtag() // Fetch the newly updated entity from the service. - updatedEntity = (await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + updatedEntity = (await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false)).Single(); @@ -478,7 +481,7 @@ public async Task EntityMergeDoesPartialPropertyUpdates() // Fetch the created entity from the service. - var originalEntity = (await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + var originalEntity = (await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false)).Single(); @@ -491,7 +494,7 @@ public async Task EntityMergeDoesPartialPropertyUpdates() // Fetch the updated entity from the service. - var mergedEntity = (await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + var mergedEntity = (await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false)).Single(); @@ -507,7 +510,7 @@ public async Task EntityMergeDoesPartialPropertyUpdates() // Fetch the updated entity from the service. - mergedEntity = (await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + mergedEntity = (await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false)).Single(); @@ -523,8 +526,6 @@ public async Task EntityMergeDoesPartialPropertyUpdates() [RecordedTest] public async Task EntityDeleteRespectsEtag() { - string tableName = $"testtable{Recording.GenerateId()}"; - const string rowKeyValue = "1"; const string propertyName = "SomeStringProperty"; const string originalValue = "This is the original"; @@ -536,18 +537,22 @@ public async Task EntityDeleteRespectsEtag() // Fetch the created entity from the service. - var originalEntity = (await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + var originalEntity = (await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false)).Single(); + var staleEtag = originalEntity.ETag; // Use a wildcard ETag to delete unconditionally. await client.DeleteEntityAsync(PartitionKeyValue, rowKeyValue).ConfigureAwait(false); + // Ensure that Delete does not throw when the entity does not exist. + await client.DeleteEntityAsync(PartitionKeyValue, rowKeyValue).ConfigureAwait(false); + // Validate that the entity is deleted. - var emptyresult = await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + var emptyresult = await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false); @@ -559,7 +564,7 @@ public async Task EntityDeleteRespectsEtag() // Fetch the created entity from the service. - originalEntity = (await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + originalEntity = (await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false)).Single(); @@ -576,7 +581,7 @@ public async Task EntityDeleteRespectsEtag() // Validate that the entity is deleted. - emptyresult = await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + emptyresult = await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false); @@ -598,7 +603,7 @@ public async Task CreatedEntitiesAreRoundtrippedWithProperOdataAnnoations() // Query the entities with a filter specifying that to RowKey value must be greater than or equal to '10'. - entityResults = await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '01'") + entityResults = await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '01'") .ToEnumerableAsync() .ConfigureAwait(false); @@ -636,7 +641,7 @@ public async Task UpsertedEntitiesAreRoundtrippedWithProperOdataAnnoations() // Query the entities with a filter specifying that to RowKey value must be greater than or equal to '10'. - entityResults = await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '01'") + entityResults = await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '01'") .ToEnumerableAsync() .ConfigureAwait(false); @@ -717,7 +722,7 @@ public async Task QueryReturnsEntitiesWithoutOdataAnnoations() // Query the entities with a filter specifying that to RowKey value must be greater than or equal to '10'. - entityResults = await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '01'") + entityResults = await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '01'") .ToEnumerableAsync() .ConfigureAwait(false); @@ -765,7 +770,7 @@ public async Task CreatedCustomEntitiesCanBeQueriedWithFilters() // Query the entities with a filter specifying that to RowKey value must be greater than or equal to '10'. - entityResults = await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey gt '10'") + entityResults = await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey gt '10'") .ToEnumerableAsync() .ConfigureAwait(false); @@ -793,7 +798,7 @@ public async Task CustomEntityCanBeUpserted() // Fetch the created entity from the service. - var entityToUpdate = (await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + var entityToUpdate = (await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false)).Single(); @@ -802,7 +807,7 @@ public async Task CustomEntityCanBeUpserted() // Fetch the updated entity from the service. - var updatedEntity = (await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + var updatedEntity = (await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false)).Single(); @@ -830,7 +835,7 @@ public async Task CustomEntityUpdateRespectsEtag() // Fetch the created entity from the service. - var originalEntity = (await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + var originalEntity = (await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false)).Single(); originalEntity[propertyName] = updatedValue; @@ -841,7 +846,7 @@ public async Task CustomEntityUpdateRespectsEtag() // Fetch the updated entity from the service. - var updatedEntity = (await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + var updatedEntity = (await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false)).Single(); @@ -862,7 +867,7 @@ public async Task CustomEntityUpdateRespectsEtag() // Fetch the newly updated entity from the service. - updatedEntity = (await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + updatedEntity = (await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false)).Single(); @@ -890,7 +895,7 @@ public async Task CustomEntityMergeRespectsEtag() // Fetch the created entity from the service. - var originalEntity = (await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + var originalEntity = (await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false)).Single(); originalEntity[propertyName] = updatedValue; @@ -901,7 +906,7 @@ public async Task CustomEntityMergeRespectsEtag() // Fetch the updated entity from the service. - var updatedEntity = (await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + var updatedEntity = (await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false)).Single(); @@ -922,7 +927,7 @@ public async Task CustomEntityMergeRespectsEtag() // Fetch the newly updated entity from the service. - updatedEntity = (await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + updatedEntity = (await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false)).Single(); @@ -947,7 +952,7 @@ public async Task CustomEntityDeleteRespectsEtag() // Fetch the created entity from the service. - var originalEntity = (await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + var originalEntity = (await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false)).Single(); var staleEtag = originalEntity.ETag; @@ -958,7 +963,7 @@ public async Task CustomEntityDeleteRespectsEtag() // Validate that the entity is deleted. - var emptyresult = await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + var emptyresult = await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false); @@ -970,7 +975,7 @@ public async Task CustomEntityDeleteRespectsEtag() // Fetch the created entity from the service. - originalEntity = (await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + originalEntity = (await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false)).Single(); @@ -988,7 +993,7 @@ public async Task CustomEntityDeleteRespectsEtag() // Validate that the entity is deleted. - emptyresult = await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") + emptyresult = await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '{rowKeyValue}'") .ToEnumerableAsync() .ConfigureAwait(false); @@ -1013,7 +1018,7 @@ public async Task CreatedCustomEntitiesAreRoundtrippedProprly() // Query the entities with a filter specifying that to RowKey value must be greater than or equal to '10'. - entityResults = await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '01'") + entityResults = await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '01'") .ToEnumerableAsync() .ConfigureAwait(false); entityResults.Sort((first, second) => first.IntTypeProperty.CompareTo(second.IntTypeProperty)); @@ -1059,7 +1064,7 @@ public async Task CreatedEnumEntitiesAreRoundtrippedProperly() // Query the entities with a filter specifying that to RowKey value must be greater than or equal to '10'. - entityResults = await client.QueryAsync(filter: $"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '01'") + entityResults = await client.QueryAsync($"PartitionKey eq '{PartitionKeyValue}' and RowKey eq '01'") .ToEnumerableAsync() .ConfigureAwait(false); @@ -1080,9 +1085,9 @@ public async Task GetAccessPoliciesReturnsPolicies() { // Create some policies. - var policyToCreate = new List + var policyToCreate = new List { - new SignedIdentifier( + new TableSignedIdentifier( "MyPolicy", new TableAccessPolicy( new DateTime(2020, 1, 1, 1, 1, 0, DateTimeKind.Utc), @@ -1090,11 +1095,11 @@ public async Task GetAccessPoliciesReturnsPolicies() "r")) }; - await client.SetAccessPolicyAsync(tableAcl: policyToCreate); + await client.SetAccessPolicyAsync(policyToCreate); // Get the created policy. - var policies = await client.GetAccessPolicyAsync(); + var policies = await client.GetAccessPoliciesAsync(); Assert.That(policies.Value[0].Id, Is.EqualTo(policyToCreate[0].Id)); Assert.That(policies.Value[0].AccessPolicy.ExpiresOn, Is.EqualTo(policyToCreate[0].AccessPolicy.ExpiresOn)); diff --git a/sdk/tables/Azure.Data.Tables/tests/TableClientTests.cs b/sdk/tables/Azure.Data.Tables/tests/TableClientTests.cs index f9706edfd4ce..53f4bc5760c8 100644 --- a/sdk/tables/Azure.Data.Tables/tests/TableClientTests.cs +++ b/sdk/tables/Azure.Data.Tables/tests/TableClientTests.cs @@ -31,7 +31,7 @@ public TableClientTests(bool isAsync) : base(isAsync) [SetUp] public void TestSetup() { - var service_Instrumented = InstrumentClient(new TableServiceClient(new Uri("https://example.com"), new AzureSasCredential("sig"), new TableClientOptions())); + var service_Instrumented = InstrumentClient(new TableServiceClient(new Uri("https://example.com"), new AzureSasCredential("sig"), new TablesClientOptions())); client = service_Instrumented.GetTableClient(TableName); } @@ -45,7 +45,7 @@ public void ConstructorValidatesArguments() Assert.That(() => new TableClient(null, TableName, new TableSharedKeyCredential(AccountName, string.Empty)), Throws.InstanceOf(), "The constructor should validate the url."); - Assert.That(() => new TableClient(_url, TableName, new TableSharedKeyCredential(AccountName, string.Empty), new TableClientOptions()), Throws.Nothing, "The constructor should accept valid arguments."); + Assert.That(() => new TableClient(_url, TableName, new TableSharedKeyCredential(AccountName, string.Empty), new TablesClientOptions()), Throws.Nothing, "The constructor should accept valid arguments."); Assert.That(() => new TableClient(_url, TableName, null), Throws.InstanceOf(), "The constructor should validate the TablesSharedKeyCredential."); @@ -72,7 +72,7 @@ public static IEnumerable ValidConnStrings() [TestCaseSource(nameof(ValidConnStrings))] public void AccountNameAndNameForConnStringCtor(string connString) { - var client = new TableClient(connString, TableName, new TableClientOptions()); + var client = new TableClient(connString, TableName, new TablesClientOptions()); Assert.AreEqual(AccountName, client.AccountName); Assert.AreEqual(TableName, client.Name); @@ -81,7 +81,7 @@ public void AccountNameAndNameForConnStringCtor(string connString) [Test] public void AccountNameAndNameForUriCtor() { - var client = new TableClient(_url, TableName, new TableSharedKeyCredential(AccountName, string.Empty), new TableClientOptions()); + var client = new TableClient(_url, TableName, new TableSharedKeyCredential(AccountName, string.Empty), new TablesClientOptions()); Assert.AreEqual(AccountName, client.AccountName); Assert.AreEqual(TableName, client.Name); diff --git a/sdk/tables/Azure.Data.Tables/tests/TableServiceClientLiveTests.cs b/sdk/tables/Azure.Data.Tables/tests/TableServiceClientLiveTests.cs index 24a16b6b749c..5cfc026968ea 100644 --- a/sdk/tables/Azure.Data.Tables/tests/TableServiceClientLiveTests.cs +++ b/sdk/tables/Azure.Data.Tables/tests/TableServiceClientLiveTests.cs @@ -67,8 +67,8 @@ public void ValidateAccountSasCredentialsWithPermissions() // Create the TableServiceClients using the SAS URIs. // Intentionally double add the Sas to the endpoint and the cred to validate de-duping - var sasAuthedServiceDelete = InstrumentClient(new TableServiceClient(new Uri(ServiceUri), new AzureSasCredential(tokenDelete), InstrumentClientOptions(new TableClientOptions()))); - var sasAuthedServiceWriteDelete = InstrumentClient(new TableServiceClient(new Uri(ServiceUri), new AzureSasCredential(tokenWriteDelete), InstrumentClientOptions(new TableClientOptions()))); + var sasAuthedServiceDelete = InstrumentClient(new TableServiceClient(new Uri(ServiceUri), new AzureSasCredential(tokenDelete), InstrumentClientOptions(new TablesClientOptions()))); + var sasAuthedServiceWriteDelete = InstrumentClient(new TableServiceClient(new Uri(ServiceUri), new AzureSasCredential(tokenWriteDelete), InstrumentClientOptions(new TablesClientOptions()))); // Validate that we are unable to create a table using the SAS URI with only Delete permissions. @@ -117,8 +117,8 @@ public void ValidateAccountSasCredentialsWithPermissionsWithSasDuplicatedInUri() // Create the TableServiceClients using the SAS URIs. // Intentionally double add the Sas to the endpoint and the cred to validate de-duping - var sasAuthedServiceDelete = InstrumentClient(new TableServiceClient(sasUriDelete.Uri, new AzureSasCredential(tokenDelete), InstrumentClientOptions(new TableClientOptions()))); - var sasAuthedServiceWriteDelete = InstrumentClient(new TableServiceClient(sasUriWriteDelete.Uri, new AzureSasCredential(tokenWriteDelete), InstrumentClientOptions(new TableClientOptions()))); + var sasAuthedServiceDelete = InstrumentClient(new TableServiceClient(sasUriDelete.Uri, new AzureSasCredential(tokenDelete), InstrumentClientOptions(new TablesClientOptions()))); + var sasAuthedServiceWriteDelete = InstrumentClient(new TableServiceClient(sasUriWriteDelete.Uri, new AzureSasCredential(tokenWriteDelete), InstrumentClientOptions(new TablesClientOptions()))); // Validate that we are unable to create a table using the SAS URI with only Delete permissions. @@ -167,8 +167,8 @@ public void ValidateAccountSasCredentialsWithResourceTypes() // Create the TableServiceClients using the SAS URIs. - var sasAuthedServiceClientService = InstrumentClient(new TableServiceClient(new Uri(ServiceUri), new AzureSasCredential(tokenService), InstrumentClientOptions(new TableClientOptions()))); - var sasAuthedServiceClientServiceContainer = InstrumentClient(new TableServiceClient(new Uri(ServiceUri), new AzureSasCredential(tokenServiceContainer), InstrumentClientOptions(new TableClientOptions()))); + var sasAuthedServiceClientService = InstrumentClient(new TableServiceClient(new Uri(ServiceUri), new AzureSasCredential(tokenService), InstrumentClientOptions(new TablesClientOptions()))); + var sasAuthedServiceClientServiceContainer = InstrumentClient(new TableServiceClient(new Uri(ServiceUri), new AzureSasCredential(tokenServiceContainer), InstrumentClientOptions(new TablesClientOptions()))); // Validate that we are unable to create a table using the SAS URI with access to Service resource types. @@ -216,7 +216,7 @@ public async Task GetTablesReturnsTablesWithAndWithoutPagination(int? pageCount) // Get the table list. var remainingItems = createdTables.Count; - await foreach (var page in service.GetTablesAsync(/*maxPerPage: pageCount*/).AsPages(pageSizeHint: pageCount)) + await foreach (var page in service.QueryAsync(/*maxPerPage: pageCount*/).AsPages(pageSizeHint: pageCount)) { Assert.That(page.Values, Is.Not.Empty); if (pageCount.HasValue) @@ -262,14 +262,14 @@ public async Task GetTablesReturnsTablesWithFilter() // Query with a filter. - var tableResponses = (await service.GetTablesAsync(filter: $"TableName eq '{tableName}'").ToEnumerableAsync().ConfigureAwait(false)).ToList(); + var tableResponses = (await service.QueryAsync(filter: $"TableName eq '{tableName}'").ToEnumerableAsync().ConfigureAwait(false)).ToList(); Assert.That(() => tableResponses, Is.Not.Empty); Assert.AreEqual(tableName, tableResponses.Select(r => r.Name).SingleOrDefault()); // Query with a filter. - tableResponses = (await service.GetTablesAsync(filter: t => t.Name == tableName).ToEnumerableAsync().ConfigureAwait(false)).ToList(); + tableResponses = (await service.QueryAsync(filter: t => t.Name == tableName).ToEnumerableAsync().ConfigureAwait(false)).ToList(); Assert.That(() => tableResponses, Is.Not.Empty); Assert.AreEqual(tableName, tableResponses.Select(r => r.Name).SingleOrDefault()); diff --git a/sdk/tables/Azure.Data.Tables/tests/TableServiceLiveTestsBase.cs b/sdk/tables/Azure.Data.Tables/tests/TableServiceLiveTestsBase.cs index e1838f553b42..747b7eaf2b93 100644 --- a/sdk/tables/Azure.Data.Tables/tests/TableServiceLiveTestsBase.cs +++ b/sdk/tables/Azure.Data.Tables/tests/TableServiceLiveTestsBase.cs @@ -99,7 +99,7 @@ public async Task TablesTestSetup() service = InstrumentClient(new TableServiceClient( new Uri(ServiceUri), new TableSharedKeyCredential(AccountName, AccountKey), - InstrumentClientOptions(new TableClientOptions()))); + InstrumentClientOptions(new TablesClientOptions()))); tableName = Recording.GenerateAlphaNumericId("testtable", useOnlyLowercase: true); diff --git a/sdk/tables/Azure.Data.Tables/tests/perf/Infrastructure/TablesPerfTest.cs b/sdk/tables/Azure.Data.Tables/tests/perf/Infrastructure/TablesPerfTest.cs index a2c840a1125e..da58d892ac45 100644 --- a/sdk/tables/Azure.Data.Tables/tests/perf/Infrastructure/TablesPerfTest.cs +++ b/sdk/tables/Azure.Data.Tables/tests/perf/Infrastructure/TablesPerfTest.cs @@ -66,7 +66,7 @@ public override async Task GlobalSetupAsync() new Uri(serviceUri), TableName, new TableSharedKeyCredential(accountName, accountKey), - new TableClientOptions()); + new TablesClientOptions()); await Client.CreateIfNotExistsAsync().ConfigureAwait(false); diff --git a/sdk/tables/Azure.Data.Tables/tests/samples/Sample3_QueryTables.cs b/sdk/tables/Azure.Data.Tables/tests/samples/Sample3_QueryTables.cs index 776fd508477f..0df38879f178 100644 --- a/sdk/tables/Azure.Data.Tables/tests/samples/Sample3_QueryTables.cs +++ b/sdk/tables/Azure.Data.Tables/tests/samples/Sample3_QueryTables.cs @@ -29,7 +29,7 @@ public void QueryTables() #region Snippet:TablesSample3QueryTables // Use the to query the service. Passing in OData filter strings is optional. - Pageable queryTableResults = serviceClient.GetTables(filter: $"TableName eq '{tableName}'"); + Pageable queryTableResults = serviceClient.Query(filter: $"TableName eq '{tableName}'"); Console.WriteLine("The following are the names of the tables in the query results:"); diff --git a/sdk/tables/Azure.Data.Tables/tests/samples/Sample3_QueryTablesAsync.cs b/sdk/tables/Azure.Data.Tables/tests/samples/Sample3_QueryTablesAsync.cs index b979ed83888a..182e92fd2c44 100644 --- a/sdk/tables/Azure.Data.Tables/tests/samples/Sample3_QueryTablesAsync.cs +++ b/sdk/tables/Azure.Data.Tables/tests/samples/Sample3_QueryTablesAsync.cs @@ -29,7 +29,7 @@ public async Task QueryTablesAsync() #region Snippet:TablesSample3QueryTablesAsync // Use the to query the service. Passing in OData filter strings is optional. - AsyncPageable queryTableResults = serviceClient.GetTablesAsync(filter: $"TableName eq '{tableName}'"); + AsyncPageable queryTableResults = serviceClient.QueryAsync(filter: $"TableName eq '{tableName}'"); Console.WriteLine("The following are the names of the tables in the query result:"); // Iterate the in order to access individual queried tables. From 237563ea7d3d753461283cfa346e42e2019e5b88 Mon Sep 17 00:00:00 2001 From: Christopher Scott Date: Tue, 4 May 2021 10:49:19 -0500 Subject: [PATCH 31/37] Confidential Ledger CI (#20829) * CI only --- sdk/confidentialledger/ci.yml | 35 +++++++++++++++++++++++++++++++++++ 1 file changed, 35 insertions(+) create mode 100644 sdk/confidentialledger/ci.yml diff --git a/sdk/confidentialledger/ci.yml b/sdk/confidentialledger/ci.yml new file mode 100644 index 000000000000..2ab95cbacce8 --- /dev/null +++ b/sdk/confidentialledger/ci.yml @@ -0,0 +1,35 @@ +# NOTE: Please refer to https://aka.ms/azsdk/engsys/ci-yaml before editing this file. +trigger: + branches: + include: + - master + - main + - hotfix/* + - release/* + paths: + include: + - sdk/confidentialledger/ + +pr: + branches: + include: + - master + - main + - feature/* + - hotfix/* + - release/* + paths: + include: + - common/Perf/ + - common/PerfStressShared/ + - common/Stress/ + - sdk/template/ + +extends: + template: ../../eng/pipelines/templates/stages/archetype-sdk-client.yml + parameters: + ServiceDirectory: confidentialledger + ArtifactName: packages + Artifacts: + - name: Azure.Storage.ConfidentialLedger + safeName: AzureConfidentialLedger From e97d7f31e10df96e3c9409a5cffa32ecd8a680f3 Mon Sep 17 00:00:00 2001 From: Anne Thompson Date: Tue, 4 May 2021 09:50:24 -0700 Subject: [PATCH 32/37] Standardize on repositoryName parameter name in ContainerRegistryClient methods (#20832) * fix #20831 * update API listing --- ...ainers.ContainerRegistry.netstandard2.0.cs | 6 ++-- .../src/ContainerRegistryClient.cs | 36 +++++++++---------- 2 files changed, 21 insertions(+), 21 deletions(-) diff --git a/sdk/containerregistry/Azure.Containers.ContainerRegistry/api/Azure.Containers.ContainerRegistry.netstandard2.0.cs b/sdk/containerregistry/Azure.Containers.ContainerRegistry/api/Azure.Containers.ContainerRegistry.netstandard2.0.cs index ce13dc0ce09f..d98543655dd7 100644 --- a/sdk/containerregistry/Azure.Containers.ContainerRegistry/api/Azure.Containers.ContainerRegistry.netstandard2.0.cs +++ b/sdk/containerregistry/Azure.Containers.ContainerRegistry/api/Azure.Containers.ContainerRegistry.netstandard2.0.cs @@ -91,10 +91,10 @@ public ContainerRegistryClient(System.Uri registryUri, Azure.Core.TokenCredentia public virtual string LoginServer { get { throw null; } } public virtual string Name { get { throw null; } } public virtual System.Uri RegistryUri { get { throw null; } } - public virtual Azure.Response DeleteRepository(string repository, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public virtual System.Threading.Tasks.Task> DeleteRepositoryAsync(string repository, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual Azure.Response DeleteRepository(string repositoryName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public virtual System.Threading.Tasks.Task> DeleteRepositoryAsync(string repositoryName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual Azure.Containers.ContainerRegistry.RegistryArtifact GetArtifact(string repositoryName, string tagOrDigest) { throw null; } - public virtual Azure.Containers.ContainerRegistry.ContainerRepository GetRepository(string name) { throw null; } + public virtual Azure.Containers.ContainerRegistry.ContainerRepository GetRepository(string repositoryName) { throw null; } public virtual Azure.Pageable GetRepositoryNames(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual Azure.AsyncPageable GetRepositoryNamesAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } diff --git a/sdk/containerregistry/Azure.Containers.ContainerRegistry/src/ContainerRegistryClient.cs b/sdk/containerregistry/Azure.Containers.ContainerRegistry/src/ContainerRegistryClient.cs index 5bbe9287b53d..3f831f81a558 100644 --- a/sdk/containerregistry/Azure.Containers.ContainerRegistry/src/ContainerRegistryClient.cs +++ b/sdk/containerregistry/Azure.Containers.ContainerRegistry/src/ContainerRegistryClient.cs @@ -176,20 +176,20 @@ internal static string ParseUriReferenceFromLinkHeader(string linkValue) } /// Delete the repository identified by `repostitory`. - /// Repository name (including the namespace). + /// Repository name (including the namespace). /// The cancellation token to use. - /// Thrown when is null. - /// Thrown when is empty. + /// Thrown when is null. + /// Thrown when is empty. /// Thrown when a failure is returned by the Container Registry service. - public virtual async Task> DeleteRepositoryAsync(string repository, CancellationToken cancellationToken = default) + public virtual async Task> DeleteRepositoryAsync(string repositoryName, CancellationToken cancellationToken = default) { - Argument.AssertNotNullOrEmpty(repository, nameof(repository)); + Argument.AssertNotNullOrEmpty(repositoryName, nameof(repositoryName)); using DiagnosticScope scope = _clientDiagnostics.CreateScope($"{nameof(ContainerRegistryClient)}.{nameof(DeleteRepository)}"); scope.Start(); try { - return await _restClient.DeleteRepositoryAsync(repository, cancellationToken).ConfigureAwait(false); + return await _restClient.DeleteRepositoryAsync(repositoryName, cancellationToken).ConfigureAwait(false); } catch (Exception e) { @@ -199,20 +199,20 @@ public virtual async Task> DeleteRepositoryAsyn } /// Delete the repository identified by `repostitory`. - /// Repository name (including the namespace). + /// Repository name (including the namespace). /// The cancellation token to use. - /// Thrown when is null. - /// Thrown when is empty. + /// Thrown when is null. + /// Thrown when is empty. /// Thrown when a failure is returned by the Container Registry service. - public virtual Response DeleteRepository(string repository, CancellationToken cancellationToken = default) + public virtual Response DeleteRepository(string repositoryName, CancellationToken cancellationToken = default) { - Argument.AssertNotNullOrEmpty(repository, nameof(repository)); + Argument.AssertNotNullOrEmpty(repositoryName, nameof(repositoryName)); using DiagnosticScope scope = _clientDiagnostics.CreateScope($"{nameof(ContainerRegistryClient)}.{nameof(DeleteRepository)}"); scope.Start(); try { - return _restClient.DeleteRepository(repository, cancellationToken); + return _restClient.DeleteRepository(repositoryName, cancellationToken); } catch (Exception e) { @@ -224,17 +224,17 @@ public virtual Response DeleteRepository(string reposito /// /// Create a new object for the specified repository. /// - /// The name of the repository to reference. + /// The name of the repository to reference. /// A new for the desired repository. - /// Thrown when is null. - /// Thrown when is empty. - public virtual ContainerRepository GetRepository(string name) + /// Thrown when is null. + /// Thrown when is empty. + public virtual ContainerRepository GetRepository(string repositoryName) { - Argument.AssertNotNullOrEmpty(name, nameof(name)); + Argument.AssertNotNullOrEmpty(repositoryName, nameof(repositoryName)); return new ContainerRepository( _registryUri, - name, + repositoryName, _clientDiagnostics, _restClient); } From ed2164ce470d0257e8f9d7223d36a35205a904d1 Mon Sep 17 00:00:00 2001 From: JoshLove-msft <54595583+JoshLove-msft@users.noreply.github.com> Date: Tue, 4 May 2021 10:28:52 -0700 Subject: [PATCH 33/37] Remove lock token remarks from settlement method docs (#20826) * Remove lock token remarks from settlement method docs * Remove references to LinkCloseMode. --- .../src/Processor/ServiceBusProcessor.cs | 2 +- .../src/Processor/ServiceBusSessionProcessor.cs | 2 +- .../src/Receiver/ServiceBusReceiver.cs | 15 +++++++-------- .../src/Sender/ServiceBusSender.cs | 2 +- 4 files changed, 10 insertions(+), 11 deletions(-) diff --git a/sdk/servicebus/Azure.Messaging.ServiceBus/src/Processor/ServiceBusProcessor.cs b/sdk/servicebus/Azure.Messaging.ServiceBus/src/Processor/ServiceBusProcessor.cs index ed6f755f9f56..331596e47a03 100644 --- a/sdk/servicebus/Azure.Messaging.ServiceBus/src/Processor/ServiceBusProcessor.cs +++ b/sdk/servicebus/Azure.Messaging.ServiceBus/src/Processor/ServiceBusProcessor.cs @@ -808,7 +808,7 @@ await receiverManager.CloseReceiverIfNeeded( /// /// Performs the task needed to clean up resources used by the . - /// This is equivalent to calling with the default . + /// This is equivalent to calling . /// public async ValueTask DisposeAsync() => await CloseAsync().ConfigureAwait(false); diff --git a/sdk/servicebus/Azure.Messaging.ServiceBus/src/Processor/ServiceBusSessionProcessor.cs b/sdk/servicebus/Azure.Messaging.ServiceBus/src/Processor/ServiceBusSessionProcessor.cs index f74d6fdba95a..61be4e4a1e06 100644 --- a/sdk/servicebus/Azure.Messaging.ServiceBus/src/Processor/ServiceBusSessionProcessor.cs +++ b/sdk/servicebus/Azure.Messaging.ServiceBus/src/Processor/ServiceBusSessionProcessor.cs @@ -277,7 +277,7 @@ public virtual async Task CloseAsync( /// /// Performs the task needed to clean up resources used by the . - /// This is equivalent to calling with the default . + /// This is equivalent to calling . /// public async ValueTask DisposeAsync() => await CloseAsync().ConfigureAwait(false); diff --git a/sdk/servicebus/Azure.Messaging.ServiceBus/src/Receiver/ServiceBusReceiver.cs b/sdk/servicebus/Azure.Messaging.ServiceBus/src/Receiver/ServiceBusReceiver.cs index 483cf6ad927e..e1484cf33cf1 100644 --- a/sdk/servicebus/Azure.Messaging.ServiceBus/src/Receiver/ServiceBusReceiver.cs +++ b/sdk/servicebus/Azure.Messaging.ServiceBus/src/Receiver/ServiceBusReceiver.cs @@ -703,11 +703,12 @@ await DeadLetterInternalAsync( /// An optional instance to signal the request to cancel the operation. /// /// - /// A lock token can be found in , - /// only when is set to . - /// In order to receive a message from the dead-letter queue, you will need a new , with the corresponding path. - /// You can use EntityNameHelper.FormatDeadLetterPath(string) to help with this. - /// This operation can only be performed on messages that were received by this receiver. + /// In order to receive a message from the dead-letter queue or transfer dead-letter queue, + /// set the property to + /// or when calling + /// or + /// . + /// This operation can only be performed when is set to . /// /// /// The lock for the message has expired or the message has already been completed. This does not apply for session-enabled @@ -824,8 +825,6 @@ await InnerReceiver.DeadLetterAsync( /// An optional instance to signal the request to cancel the operation. /// /// - /// A lock token can be found in , - /// only when is set to . /// In order to receive this message again in the future, you will need to save the /// /// and receive it using . @@ -1101,7 +1100,7 @@ private void ThrowIfSessionReceiver() /// /// Performs the task needed to clean up resources used by the . - /// This is equivalent to calling with the default . + /// This is equivalent to calling . /// /// /// A task to be resolved on when the operation has completed. diff --git a/sdk/servicebus/Azure.Messaging.ServiceBus/src/Sender/ServiceBusSender.cs b/sdk/servicebus/Azure.Messaging.ServiceBus/src/Sender/ServiceBusSender.cs index 534f50d0ea68..297fe436f1db 100644 --- a/sdk/servicebus/Azure.Messaging.ServiceBus/src/Sender/ServiceBusSender.cs +++ b/sdk/servicebus/Azure.Messaging.ServiceBus/src/Sender/ServiceBusSender.cs @@ -557,7 +557,7 @@ public virtual async Task CloseAsync( /// /// Performs the task needed to clean up resources used by the . - /// This is equivalent to calling with the default . + /// This is equivalent to calling . /// /// /// A task to be resolved on when the operation has completed. From f4f025ca05a4804b3cc9b24cbc4e54febf94a1b6 Mon Sep 17 00:00:00 2001 From: Mariana Rios Flores Date: Tue, 4 May 2021 11:29:03 -0700 Subject: [PATCH 34/37] [FR] Add API version to new methods in 2.1-preview.x (#20817) --- .../Azure.AI.FormRecognizer/CHANGELOG.md | 2 ++ .../Azure.AI.FormRecognizer/README.md | 9 +++++ .../src/FormRecognizerClient.cs | 36 +++++++++++++++++++ .../src/FormTrainingClient.cs | 6 ++++ .../FormRecognizerClientLiveTests.cs | 33 +++++++++++++++++ .../FormTrainingClientLiveTests.cs | 15 ++++++++ 6 files changed, 101 insertions(+) diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/CHANGELOG.md b/sdk/formrecognizer/Azure.AI.FormRecognizer/CHANGELOG.md index 30cc58b028ec..aa7c94dea339 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/CHANGELOG.md +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/CHANGELOG.md @@ -4,6 +4,8 @@ ### New Features - Updated the `FormRecognizerModelFactory` class to support missing model types for mocking. +- Added support for service version `2.0`. This can be specified in the `FormRecognizerClientOptions` object under the `ServiceVersion` enum. +By default the SDK targets latest supported service version. ### Breaking changes - Renamed `Id` for `Identity` in all the `StartRecognizeIdDocuments` functionalities. For example, the name of the method is now `StartRecognizeIdentityDocuments`. diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/README.md b/sdk/formrecognizer/Azure.AI.FormRecognizer/README.md index ae9b6408dcf4..0d1373f66d94 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/README.md +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/README.md @@ -20,6 +20,15 @@ Install the Azure Form Recognizer client library for .NET with [NuGet][nuget]: dotnet add package Azure.AI.FormRecognizer ``` +> Note: This version of the client library defaults to the `v2.1-preview.3` version of the service. + +This table shows the relationship between SDK versions and supported API versions of the service: + +|SDK version|Supported API version of service +|-|- +|3.0.0 - Latest GA release | 2.0 +|3.1.0-beta.4 - Latest release (beta)| 2.0, 2.1-preview.3 + ### Prerequisites * An [Azure subscription][azure_sub]. * An existing Cognitive Services or Form Recognizer resource. diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/FormRecognizerClient.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/FormRecognizerClient.cs index 147e1c89b83d..393b1c024e95 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/FormRecognizerClient.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/FormRecognizerClient.cs @@ -448,6 +448,9 @@ public virtual RecognizeReceiptsOperation StartRecognizeReceiptsFromUri(Uri rece /// A set of options available for configuring the recognize request. For example, specify the content type of the /// form, the locale of the form, or whether or not to include form elements. /// A controlling the request lifetime. + /// + /// Method is only available for and up. + /// /// A to wait on this long-running operation. Its upon successful /// completion will contain the extracted business cards. public virtual async Task StartRecognizeBusinessCardsAsync(Stream businessCard, RecognizeBusinessCardsOptions recognizeBusinessCardsOptions = default, CancellationToken cancellationToken = default) @@ -489,6 +492,9 @@ public virtual async Task StartRecognizeBusines /// A set of options available for configuring the recognize request. For example, specify the content type of the /// form, the locale of the form, or whether or not to include form elements. /// A controlling the request lifetime. + /// + /// Method is only available for and up. + /// /// A to wait on this long-running operation. Its upon successful /// completion will contain the extracted business cards. public virtual RecognizeBusinessCardsOperation StartRecognizeBusinessCards(Stream businessCard, RecognizeBusinessCardsOptions recognizeBusinessCardsOptions = default, CancellationToken cancellationToken = default) @@ -530,6 +536,9 @@ public virtual RecognizeBusinessCardsOperation StartRecognizeBusinessCards(Strea /// A set of options available for configuring the recognize request. For example, specify the content type of the /// form, the locale of the form, or whether or not to include form elements. /// A controlling the request lifetime. + /// + /// Method is only available for and up. + /// /// A to wait on this long-running operation. Its upon successful /// completion will contain the extracted business cards. public virtual async Task StartRecognizeBusinessCardsFromUriAsync(Uri businessCardUri, RecognizeBusinessCardsOptions recognizeBusinessCardsOptions = default, CancellationToken cancellationToken = default) @@ -569,6 +578,9 @@ public virtual async Task StartRecognizeBusines /// A set of options available for configuring the recognize request. For example, specify the content type of the /// form, the locale of the form, or whether or not to include form elements. /// A controlling the request lifetime. + /// + /// Method is only available for and up. + /// /// A to wait on this long-running operation. Its upon successful /// completion will contain the extracted business cards. public virtual RecognizeBusinessCardsOperation StartRecognizeBusinessCardsFromUri(Uri businessCardUri, RecognizeBusinessCardsOptions recognizeBusinessCardsOptions = default, CancellationToken cancellationToken = default) @@ -612,6 +624,9 @@ public virtual RecognizeBusinessCardsOperation StartRecognizeBusinessCardsFromUr /// A set of options available for configuring the recognize request. For example, specify the content type of the /// form, the locale of the form, or whether or not to include form elements. /// A controlling the request lifetime. + /// + /// Method is only available for and up. + /// /// A to wait on this long-running operation. Its upon successful /// completion will contain the extracted invoices. public virtual async Task StartRecognizeInvoicesAsync(Stream invoice, RecognizeInvoicesOptions recognizeInvoicesOptions = default, CancellationToken cancellationToken = default) @@ -653,6 +668,9 @@ public virtual async Task StartRecognizeInvoicesAsyn /// A set of options available for configuring the recognize request. For example, specify the content type of the /// form, the locale of the form, or whether or not to include form elements. /// A controlling the request lifetime. + /// + /// Method is only available for and up. + /// /// A to wait on this long-running operation. Its upon successful /// completion will contain the extracted invoices. public virtual RecognizeInvoicesOperation StartRecognizeInvoices(Stream invoice, RecognizeInvoicesOptions recognizeInvoicesOptions = default, CancellationToken cancellationToken = default) @@ -694,6 +712,9 @@ public virtual RecognizeInvoicesOperation StartRecognizeInvoices(Stream invoice, /// A set of options available for configuring the recognize request. For example, specify the content type of the /// form, the locale of the form, or whether or not to include form elements. /// A controlling the request lifetime. + /// + /// Method is only available for and up. + /// /// A to wait on this long-running operation. Its upon successful /// completion will contain the extracted invoices. public virtual async Task StartRecognizeInvoicesFromUriAsync(Uri invoiceUri, RecognizeInvoicesOptions recognizeInvoicesOptions = default, CancellationToken cancellationToken = default) @@ -733,6 +754,9 @@ public virtual async Task StartRecognizeInvoicesFrom /// A set of options available for configuring the recognize request. For example, specify the content type of the /// form, the locale of the form, or whether or not to include form elements. /// A controlling the request lifetime. + /// + /// Method is only available for and up. + /// /// A to wait on this long-running operation. Its upon successful /// completion will contain the extracted invoices. public virtual RecognizeInvoicesOperation StartRecognizeInvoicesFromUri(Uri invoiceUri, RecognizeInvoicesOptions recognizeInvoicesOptions = default, CancellationToken cancellationToken = default) @@ -776,6 +800,9 @@ public virtual RecognizeInvoicesOperation StartRecognizeInvoicesFromUri(Uri invo /// A set of options available for configuring the recognize request. For example, specify the content type of the /// form, or whether or not to include form elements. /// A controlling the request lifetime. + /// + /// Method is only available for and up. + /// /// A to wait on this long-running operation. Its upon successful /// completion will contain the extracted identity document information. public virtual async Task StartRecognizeIdentityDocumentsAsync(Stream identityDocument, RecognizeIdentityDocumentsOptions recognizeIdentityDocumentsOptions = default, CancellationToken cancellationToken = default) @@ -817,6 +844,9 @@ public virtual async Task StartRecognizeIde /// A set of options available for configuring the recognize request. For example, specify the content type of the /// form, or whether or not to include form elements. /// A controlling the request lifetime. + /// + /// Method is only available for and up. + /// /// A to wait on this long-running operation. Its upon successful /// completion will contain the extracted identity document information. public virtual RecognizeIdentityDocumentsOperation StartRecognizeIdentityDocuments(Stream identityDocument, RecognizeIdentityDocumentsOptions recognizeIdentityDocumentsOptions = default, CancellationToken cancellationToken = default) @@ -858,6 +888,9 @@ public virtual RecognizeIdentityDocumentsOperation StartRecognizeIdentityDocumen /// A set of options available for configuring the recognize request. For example, specify the content type of the /// form, or whether or not to include form elements. /// A controlling the request lifetime. + /// + /// Method is only available for and up. + /// /// A to wait on this long-running operation. Its upon successful /// completion will contain the extracted identity document information. public virtual async Task StartRecognizeIdentityDocumentsFromUriAsync(Uri identityDocumentUri, RecognizeIdentityDocumentsOptions recognizeIdentityDocumentsOptions = default, CancellationToken cancellationToken = default) @@ -897,6 +930,9 @@ public virtual async Task StartRecognizeIde /// A set of options available for configuring the recognize request. For example, specify the content type of the /// form, or whether or not to include form elements. /// A controlling the request lifetime. + /// + /// Method is only available for and up. + /// /// A to wait on this long-running operation. Its upon successful /// completion will contain the extracted identity document information. public virtual RecognizeIdentityDocumentsOperation StartRecognizeIdentityDocumentsFromUri(Uri identityDocumentUri, RecognizeIdentityDocumentsOptions recognizeIdentityDocumentsOptions = default, CancellationToken cancellationToken = default) diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/FormTrainingClient.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/FormTrainingClient.cs index 34715ffe3fb4..f6246709f72f 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/src/FormTrainingClient.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/src/FormTrainingClient.cs @@ -288,6 +288,9 @@ public virtual async Task StartTrainingAsync(Uri trainingFile /// List of model ids to use in the composed model. /// An optional, user-defined name to associate with the model. /// A controlling the request lifetime. + /// + /// Method is only available for and up. + /// /// /// A to wait on this long-running operation. Its Value upon successful /// completion will contain meta-data about the composed model. @@ -326,6 +329,9 @@ public virtual CreateComposedModelOperation StartCreateComposedModel(IEnumerable /// List of model ids to use in the composed model. /// An optional, user-defined name to associate with the model. /// A controlling the request lifetime. + /// + /// Method is only available for and up. + /// /// /// A to wait on this long-running operation. Its Value upon successful /// completion will contain meta-data about the composed model. diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/FormRecognizerClientLiveTests.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/FormRecognizerClientLiveTests.cs index eeb3544b7642..d11bb954dd46 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/FormRecognizerClientLiveTests.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormRecognizerClient/FormRecognizerClientLiveTests.cs @@ -42,5 +42,38 @@ public void FormRecognizerClientCannotAuthenticateWithFakeApiKey() Assert.ThrowsAsync(async () => await client.StartRecognizeContentAsync(stream)); } } + + [RecordedTest] + [ServiceVersion(Max = FormRecognizerClientOptions.ServiceVersion.V2_0)] + public void StartRecognizeBusinessCardsWithV2() + { + var client = CreateFormRecognizerClient(); + var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.BusinessCardJpg); + + RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeBusinessCardsFromUriAsync(uri)); + Assert.AreEqual("404", ex.ErrorCode); + } + + [RecordedTest] + [ServiceVersion(Max = FormRecognizerClientOptions.ServiceVersion.V2_0)] + public void StartRecognizeIdentityDocumentsWithV2() + { + var client = CreateFormRecognizerClient(); + var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.DriverLicenseJpg); + + RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeIdentityDocumentsFromUriAsync(uri)); + Assert.AreEqual("404", ex.ErrorCode); + } + + [RecordedTest] + [ServiceVersion(Max = FormRecognizerClientOptions.ServiceVersion.V2_0)] + public void StartRecognizeInvoicesWithV2() + { + var client = CreateFormRecognizerClient(); + var uri = FormRecognizerTestEnvironment.CreateUri(TestFile.InvoiceJpg); + + RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartRecognizeInvoicesFromUriAsync(uri)); + Assert.AreEqual("404", ex.ErrorCode); + } } } diff --git a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormTrainingClient/FormTrainingClientLiveTests.cs b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormTrainingClient/FormTrainingClientLiveTests.cs index e1049eff21a7..b24e1e7f5152 100644 --- a/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormTrainingClient/FormTrainingClientLiveTests.cs +++ b/sdk/formrecognizer/Azure.AI.FormRecognizer/tests/FormTrainingClient/FormTrainingClientLiveTests.cs @@ -134,6 +134,21 @@ public async Task CheckFormTypeinSubmodelAndRecognizedForm(bool labeled) Assert.AreEqual(form.FormType, model.Submodels.FirstOrDefault().FormType); } + [RecordedTest] + [ServiceVersion(Max = FormRecognizerClientOptions.ServiceVersion.V2_0)] + public async Task StartCreateComposedModelWithV2() + { + var client = CreateFormTrainingClient(); + + await using var trainedModelA = await CreateDisposableTrainedModelAsync(useTrainingLabels: true); + await using var trainedModelB = await CreateDisposableTrainedModelAsync(useTrainingLabels: true); + + var modelIds = new List { trainedModelA.ModelId, trainedModelB.ModelId }; + + RequestFailedException ex = Assert.ThrowsAsync(async () => await client.StartCreateComposedModelAsync(modelIds)); + Assert.AreEqual("404", ex.ErrorCode); + } + [RecordedTest] [TestCase(false)] [TestCase(true)] From bb2d0e7d83671d2f37f1f436b7ebab8c36e8b5d9 Mon Sep 17 00:00:00 2001 From: JoshLove-msft <54595583+JoshLove-msft@users.noreply.github.com> Date: Tue, 4 May 2021 13:33:37 -0700 Subject: [PATCH 35/37] Topic filter sample (#20816) * Topic filter sample * Update README.md * Update README.md * Fix link * PR FB * PR fb --- .../samples/TopicFilters/Program.cs | 226 ++++++++++++++++++ .../samples/TopicFilters/README.md | 69 ++++++ .../samples/TopicFilters/TopicFilters.csproj | 13 + 3 files changed, 308 insertions(+) create mode 100644 sdk/servicebus/Azure.Messaging.ServiceBus/samples/TopicFilters/Program.cs create mode 100644 sdk/servicebus/Azure.Messaging.ServiceBus/samples/TopicFilters/README.md create mode 100644 sdk/servicebus/Azure.Messaging.ServiceBus/samples/TopicFilters/TopicFilters.csproj diff --git a/sdk/servicebus/Azure.Messaging.ServiceBus/samples/TopicFilters/Program.cs b/sdk/servicebus/Azure.Messaging.ServiceBus/samples/TopicFilters/Program.cs new file mode 100644 index 000000000000..4ad5174be26c --- /dev/null +++ b/sdk/servicebus/Azure.Messaging.ServiceBus/samples/TopicFilters/Program.cs @@ -0,0 +1,226 @@ +// Copyright (c) Microsoft. All rights reserved. +// Licensed under the MIT license. See LICENSE file in the project root for full license information. + +using System; +using System.Collections.Generic; +using System.CommandLine; +using System.CommandLine.Invocation; +using System.Threading.Tasks; +using Azure.Identity; +using Azure.Messaging.ServiceBus; +using Azure.Messaging.ServiceBus.Administration; + +namespace TopicSubscriptionWithRuleOperationsSample +{ + public class Program + { + private const string TopicName = "TopicSubscriptionWithRuleOperationsSample"; + + private const string NoFilterSubscriptionName = "NoFilterSubscription"; + private const string SqlFilterOnlySubscriptionName = "RedSqlFilterSubscription"; + private const string SqlFilterWithActionSubscriptionName = "BlueSqlFilterWithActionSubscription"; + private const string CorrelationFilterSubscriptionName = "ImportantCorrelationFilterSubscription"; + + private static ServiceBusClient s_client; + private static ServiceBusAdministrationClient s_adminClient; + private static ServiceBusSender s_sender; + + public static async Task Main(string[] args) + { + var command = new RootCommand("Demonstrates the Topic Filters feature of Azure Service Bus.") + { + new Option( + alias: "--namespace", + description: "Fully qualified Service Bus Queue namespace to use") {Name = "FullyQualifiedNamespace"}, + new Option( + alias: "--connection-variable", + description: "The name of an environment variable containing the connection string to use.") {Name = "Connection"}, + }; + command.Handler = CommandHandler.Create(RunAsync); + await command.InvokeAsync(args); + } + + private static async Task RunAsync(string fullyQualifiedNamespace, string connection) + { + if (!string.IsNullOrEmpty(connection)) + { + s_client = new ServiceBusClient(Environment.GetEnvironmentVariable(connection)); + s_adminClient = new ServiceBusAdministrationClient(Environment.GetEnvironmentVariable(connection)); + } + else if (!string.IsNullOrEmpty(fullyQualifiedNamespace)) + { + var defaultAzureCredential = new DefaultAzureCredential(); + s_client = new ServiceBusClient(fullyQualifiedNamespace, defaultAzureCredential); + s_adminClient = new ServiceBusAdministrationClient(fullyQualifiedNamespace, defaultAzureCredential); + } + else + { + throw new ArgumentException( + "Either a fully qualified namespace or a connection string environment variable must be specified."); + } + + Console.WriteLine($"Creating topic {TopicName}"); + await s_adminClient.CreateTopicAsync(TopicName); + + s_sender = s_client.CreateSender(TopicName); + + // First Subscription is already created with default rule. Leave as is. + Console.WriteLine($"Creating subscription {NoFilterSubscriptionName}"); + await s_adminClient.CreateSubscriptionAsync(TopicName, NoFilterSubscriptionName); + + Console.WriteLine($"SubscriptionName: {NoFilterSubscriptionName}, Removing and re-adding Default Rule"); + await s_adminClient.DeleteRuleAsync(TopicName, NoFilterSubscriptionName, RuleProperties.DefaultRuleName); + await s_adminClient.CreateRuleAsync(TopicName, NoFilterSubscriptionName, + new CreateRuleOptions(RuleProperties.DefaultRuleName, new TrueRuleFilter())); + + // 2nd Subscription: Add SqlFilter on Subscription 2 + // In this scenario, rather than deleting the default rule after creating the subscription, + // we will create the subscription along with our desired rule in a single operation. + // See https://docs.microsoft.com/en-us/azure/service-bus-messaging/topic-filters to learn more about topic filters. + Console.WriteLine($"Creating subscription {SqlFilterOnlySubscriptionName}"); + await s_adminClient.CreateSubscriptionAsync( + new CreateSubscriptionOptions(TopicName, SqlFilterOnlySubscriptionName), + new CreateRuleOptions { Name = "RedSqlRule", Filter = new SqlRuleFilter("Color = 'Red'") }); + + // 3rd Subscription: Add the SqlFilter Rule and Action + // See https://docs.microsoft.com/en-us/azure/service-bus-messaging/topic-filters#actions to learn more about actions. + Console.WriteLine($"Creating subscription {SqlFilterWithActionSubscriptionName}"); + await s_adminClient.CreateSubscriptionAsync( + new CreateSubscriptionOptions(TopicName, SqlFilterWithActionSubscriptionName), + new CreateRuleOptions + { + Name = "BlueSqlRule", + Filter = new SqlRuleFilter("Color = 'Blue'"), + Action = new SqlRuleAction("SET Color = 'BlueProcessed'") + }); + + // 4th Subscription: Add Correlation Filter on Subscription 4 + Console.WriteLine($"Creating subscription {CorrelationFilterSubscriptionName}"); + await s_adminClient.CreateSubscriptionAsync( + new CreateSubscriptionOptions(TopicName, CorrelationFilterSubscriptionName), + new CreateRuleOptions + { + Name = "ImportantCorrelationRule", + Filter = new CorrelationRuleFilter { Subject = "Red", CorrelationId = "important" } + }); + + // Get Rules on Subscription, called here only for one subscription as example + var rules = s_adminClient.GetRulesAsync(TopicName, CorrelationFilterSubscriptionName); + await foreach (var rule in rules) + { + Console.WriteLine( + $"GetRules:: SubscriptionName: {CorrelationFilterSubscriptionName}, CorrelationFilter Name: {rule.Name}, Rule: {rule.Filter}"); + } + + // Send messages to Topic + await SendMessagesAsync(); + + // Receive messages from 'NoFilterSubscription'. Should receive all 9 messages + await ReceiveMessagesAsync(NoFilterSubscriptionName); + + // Receive messages from 'SqlFilterOnlySubscription'. Should receive all messages with Color = 'Red' i.e 3 messages + await ReceiveMessagesAsync(SqlFilterOnlySubscriptionName); + + // Receive messages from 'SqlFilterWithActionSubscription'. Should receive all messages with Color = 'Blue' + // i.e 3 messages AND all messages should have color set to 'BlueProcessed' + await ReceiveMessagesAsync(SqlFilterWithActionSubscriptionName); + + // Receive messages from 'CorrelationFilterSubscription'. Should receive all messages with Color = 'Red' and CorrelationId = "important" + // i.e 1 message + await ReceiveMessagesAsync(CorrelationFilterSubscriptionName); + Console.ResetColor(); + + Console.WriteLine("======================================================================="); + Console.WriteLine("Completed Receiving all messages. Disposing clients and deleting topic."); + Console.WriteLine("======================================================================="); + + Console.WriteLine("Disposing sender"); + await s_sender.CloseAsync(); + Console.WriteLine("Disposing client"); + await s_client.DisposeAsync(); + + Console.WriteLine("Deleting topic"); + + // Deleting the topic will handle deleting all the subscriptions as well. + await s_adminClient.DeleteTopicAsync(TopicName); + } + + private static async Task SendMessagesAsync() + { + Console.WriteLine($"=========================================================================="); + Console.WriteLine("Creating messages to send to Topic"); + List messages = new (); + messages.Add(CreateMessage(subject: "Red")); + messages.Add(CreateMessage(subject: "Blue")); + messages.Add(CreateMessage(subject: "Red", correlationId: "important")); + messages.Add(CreateMessage(subject: "Blue", correlationId: "important")); + messages.Add(CreateMessage(subject: "Red", correlationId: "notimportant")); + messages.Add(CreateMessage(subject: "Blue", correlationId: "notimportant")); + messages.Add(CreateMessage(subject: "Green")); + messages.Add(CreateMessage(subject: "Green", correlationId: "important")); + messages.Add(CreateMessage(subject: "Green", correlationId: "notimportant")); + + Console.WriteLine("Sending messages to send to Topic"); + await s_sender.SendMessagesAsync(messages); + Console.WriteLine($"=========================================================================="); + } + + private static ServiceBusMessage CreateMessage(string subject, string correlationId = null) + { + ServiceBusMessage message = new() {Subject = subject}; + message.ApplicationProperties.Add("Color", subject); + + if (correlationId != null) + { + message.CorrelationId = correlationId; + } + + PrintMessage(message); + + return message; + } + + private static void PrintMessage(ServiceBusMessage message) + { + Console.ForegroundColor = (ConsoleColor) Enum.Parse(typeof(ConsoleColor), message.Subject); + Console.WriteLine($"Created message with color: {message.ApplicationProperties["Color"]}, CorrelationId: {message.CorrelationId}"); + Console.ResetColor(); + } + + private static void PrintReceivedMessage(ServiceBusReceivedMessage message) + { + Console.ForegroundColor = (ConsoleColor) Enum.Parse(typeof(ConsoleColor), message.Subject); + Console.WriteLine($"Received message with color: {message.ApplicationProperties["Color"]}, CorrelationId: {message.CorrelationId}"); + Console.ResetColor(); + } + + private static async Task ReceiveMessagesAsync(string subscriptionName) + { + await using ServiceBusReceiver subscriptionReceiver = s_client.CreateReceiver( + TopicName, + subscriptionName, + new ServiceBusReceiverOptions {ReceiveMode = ServiceBusReceiveMode.ReceiveAndDelete}); + + Console.WriteLine($"=========================================================================="); + Console.WriteLine($"{DateTime.Now} :: Receiving Messages From Subscription: {subscriptionName}"); + int receivedMessageCount = 0; + while (true) + { + var receivedMessage = await subscriptionReceiver.ReceiveMessageAsync(TimeSpan.FromSeconds(1)); + if (receivedMessage != null) + { + PrintReceivedMessage(receivedMessage); + receivedMessageCount++; + } + else + { + break; + } + } + + Console.WriteLine($"{DateTime.Now} :: Received '{receivedMessageCount}' Messages From Subscription: {subscriptionName}"); + Console.WriteLine($"=========================================================================="); + await subscriptionReceiver.CloseAsync(); + } + } +} diff --git a/sdk/servicebus/Azure.Messaging.ServiceBus/samples/TopicFilters/README.md b/sdk/servicebus/Azure.Messaging.ServiceBus/samples/TopicFilters/README.md new file mode 100644 index 000000000000..a2f24c49f512 --- /dev/null +++ b/sdk/servicebus/Azure.Messaging.ServiceBus/samples/TopicFilters/README.md @@ -0,0 +1,69 @@ +--- +page_type: sample +languages: +- csharp +products: +- azure +- azure-service-bus +name: Explore topic filters in Azure Service Bus +description: This sample shows how to apply topic filters to subscriptions. +--- + +# Topic Filters + +This sample shows how to apply topic filters to subscriptions. + +## What is a Topic Filter? + +[Topic filters](https://docs.microsoft.com/azure/service-bus-messaging/topic-filters), or rules, can be applied to subscriptions to allow subscribers to define which messages they want to receive from a topic. For instance, certain subscribers may only be interested in processing messages that fit a certain pattern. Rather than create separate topics for each type of message, or add filtering client side within the application, an application can use a single topic and add filtering logic in the subcriptions to achieve the same result. This is more efficient than filtering client-side as the messages that don't match the filter do not go over the wire. It is also generally more simple and flexible than creating separate topics for each type of message, as it provides a more decoupled architecture between sender and receiver. To learn more, see the [usage patterns](https://docs.microsoft.com/azure/service-bus-messaging/topic-filters#usage-patterns) section of the topic filters docs. + +## Sample Code + +The sample implements four scenarios: + +* Create a subscription with no filters. Technically, all subscriptions are created with the default `TrueFilter`. In the sample, we remove and re-add this filter to demonstrate that all subscriptions will have this filter by default. + +* Create a subscription with a SQL filter against a user-defined property. SQL filters hold a SQL-like conditional expression that is evaluated in the broker against user-defined or system properties. If the expression evaluates to `true`, the message is delivered to the subscription. + +* Create a subscription with a SQL filter and SQL action. In this scenario, we define a SQL filter along with a SQL expression that performs an action on the received message, for any messages that makes it through the filter expression. + +* Create a subscription with a Correlation filter. A correlation filter provides a strongly typed model for matching against the properties of a received message. Correlation filters are recommended over SQL filters as they are more efficient. + +The sample code is further documented inline in the `Program.cs` C# file. + +## Prerequisites +In order to run the sample, you will need a Service Bus Namespace. For more information on getting setup see the [Getting Started](https://github.com/Azure/azure-sdk-for-net/tree/master/sdk/servicebus/Azure.Messaging.ServiceBus#getting-started) section of the Service Bus library Readme. Once you have a Service Bus Namespace, you will need to create a queue that can be used for the sample. + +## Building the Sample + +To build the sample: + +1. Install [.NET 5.0](https://dot.net) or newer. + +2. Run in the project directory: + + ```bash + dotnet build + ``` + +## Running the Sample + +You can either run the executable you just build, or build and run the project at the same time. There are two ways to authenticate in the sample. +The sample will automatically create the topic and subscriptions for you as well as delete them at the end of the run. + +### Use Azure Activity Directory +You can use any of the [authentication mechanisms](https://docs.microsoft.com/dotnet/api/overview/azure/identity-readme?view=azure-dotnet) that the `DefaultAzureCredential` from the Azure.Identity supports. + +To run the sample using Azure Identity: + +```bash +dotnet run -- --namespace +``` +### Use a Service Bus connection string +The other way to run the sample is by specifying an environment variable that contains the connection string for the namespace you wish to use: + +```bash +dotnet run -- --connection-variable +``` + + diff --git a/sdk/servicebus/Azure.Messaging.ServiceBus/samples/TopicFilters/TopicFilters.csproj b/sdk/servicebus/Azure.Messaging.ServiceBus/samples/TopicFilters/TopicFilters.csproj new file mode 100644 index 000000000000..66f513f6f920 --- /dev/null +++ b/sdk/servicebus/Azure.Messaging.ServiceBus/samples/TopicFilters/TopicFilters.csproj @@ -0,0 +1,13 @@ + + + Exe + net5.0 + + + + + + + + + From 2650a69bf7d09f0d807b566dcf6e08b9d1112961 Mon Sep 17 00:00:00 2001 From: "Yun Lu (MSFT)" <53427149+Luyunmt@users.noreply.github.com> Date: Wed, 5 May 2021 04:51:46 +0800 Subject: [PATCH 36/37] Update identity to enable live testing in sovereign clouds for multiple services (#19203) * only identity change * resolve error * change hardcode string * change to supportedclouds * remove hardcode * remove change * remove hardcode * change to have the default in a common place * Remove the StartsWith * Remove the TestEnvironment.KeyvaultScope * Remove change * add hardcode string * Delete TestEnvVar file. * Remove hardcoded value of KeyvaultScope, add a initial value for it * Remove invalid changes. Co-authored-by: Wenjie Yu (Wicresoft North America Ltd) Co-authored-by: Tong Xu (Wicresoft North America Ltd) --- .../src/TestEnvironment.cs | 2 +- .../ClientCertificateCredentialLiveTests.cs | 9 +++++---- .../tests/ClientSecretCredentialLiveTests.cs | 4 ++-- .../tests/CredentialTestHelpers.cs | 2 ++ .../tests/DefaultAzureCredentialLiveTests.cs | 16 +++++++++------- .../tests/DeviceCodeCredentialTests.cs | 8 +++++--- .../tests/IdentityTestEnvironment.cs | 1 + .../VisualStudioCodeCredentialLiveTests.cs | 18 +++++++++--------- sdk/identity/tests.yml | 1 + 9 files changed, 35 insertions(+), 26 deletions(-) diff --git a/sdk/core/Azure.Core.TestFramework/src/TestEnvironment.cs b/sdk/core/Azure.Core.TestFramework/src/TestEnvironment.cs index d5eebcffb441..8f7377a8040e 100644 --- a/sdk/core/Azure.Core.TestFramework/src/TestEnvironment.cs +++ b/sdk/core/Azure.Core.TestFramework/src/TestEnvironment.cs @@ -133,7 +133,7 @@ static TestEnvironment() /// /// The URL of the Azure Authority host to be used for authentication. Recorded. /// - public string AuthorityHostUrl => GetRecordedOptionalVariable("AZURE_AUTHORITY_HOST"); + public string AuthorityHostUrl => GetRecordedOptionalVariable("AZURE_AUTHORITY_HOST") ?? AzureAuthorityHosts.AzurePublicCloud.ToString(); /// /// The suffix for Azure Storage accounts for the active cloud environment, such as "core.windows.net". Recorded. diff --git a/sdk/identity/Azure.Identity/tests/ClientCertificateCredentialLiveTests.cs b/sdk/identity/Azure.Identity/tests/ClientCertificateCredentialLiveTests.cs index 31ef0c16776a..58221ef0b210 100644 --- a/sdk/identity/Azure.Identity/tests/ClientCertificateCredentialLiveTests.cs +++ b/sdk/identity/Azure.Identity/tests/ClientCertificateCredentialLiveTests.cs @@ -1,6 +1,7 @@ // Copyright (c) Microsoft Corporation. All rights reserved. // Licensed under the MIT License. +using System; using System.IO; using System.Security.Cryptography.X509Certificates; using System.Threading.Tasks; @@ -35,7 +36,7 @@ public async Task FromCertificatePath(bool usePem) var credential = InstrumentClient(new ClientCertificateCredential(tenantId, clientId, certPath, options)); - var tokenRequestContext = new TokenRequestContext(new[] { AzureAuthorityHosts.GetDefaultScope(AzureAuthorityHosts.AzurePublicCloud) }); + var tokenRequestContext = new TokenRequestContext(new[] { AzureAuthorityHosts.GetDefaultScope(new Uri(TestEnvironment.AuthorityHostUrl)) }); // ensure we can initially acquire a token AccessToken token = await credential.GetTokenAsync(tokenRequestContext); @@ -70,7 +71,7 @@ public async Task FromX509Certificate2() var credential = InstrumentClient(new ClientCertificateCredential(tenantId, clientId, cert, options)); - var tokenRequestContext = new TokenRequestContext(new[] { AzureAuthorityHosts.GetDefaultScope(AzureAuthorityHosts.AzurePublicCloud) }); + var tokenRequestContext = new TokenRequestContext(new[] { AzureAuthorityHosts.GetDefaultScope(new Uri(TestEnvironment.AuthorityHostUrl)) }); // ensure we can initially acquire a token AccessToken token = await credential.GetTokenAsync(tokenRequestContext); @@ -105,7 +106,7 @@ public async Task IncludeX5CClaimHeader() var credential = InstrumentClient(new ClientCertificateCredential(tenantId, clientId, certPath, options)); - var tokenRequestContext = new TokenRequestContext(new[] { AzureAuthorityHosts.GetDefaultScope(AzureAuthorityHosts.AzurePublicCloud) }); + var tokenRequestContext = new TokenRequestContext(new[] { AzureAuthorityHosts.GetDefaultScope(new Uri(TestEnvironment.AuthorityHostUrl)) }); // ensure we can initially acquire a token AccessToken token = await credential.GetTokenAsync(tokenRequestContext); @@ -124,7 +125,7 @@ public void IncorrectCertificate() var credential = InstrumentClient(new ClientCertificateCredential(tenantId, clientId, new X509Certificate2(certPath), options)); - var tokenRequestContext = new TokenRequestContext(new[] { AzureAuthorityHosts.GetDefaultScope(AzureAuthorityHosts.AzurePublicCloud) }); + var tokenRequestContext = new TokenRequestContext(new[] { AzureAuthorityHosts.GetDefaultScope(new Uri(TestEnvironment.AuthorityHostUrl)) }); // ensure the incorrect client claim is rejected, handled and wrapped in AuthenticationFailedException Assert.ThrowsAsync(async () => await credential.GetTokenAsync(tokenRequestContext)); diff --git a/sdk/identity/Azure.Identity/tests/ClientSecretCredentialLiveTests.cs b/sdk/identity/Azure.Identity/tests/ClientSecretCredentialLiveTests.cs index 302c9ea718d0..1edca3785e5e 100644 --- a/sdk/identity/Azure.Identity/tests/ClientSecretCredentialLiveTests.cs +++ b/sdk/identity/Azure.Identity/tests/ClientSecretCredentialLiveTests.cs @@ -34,7 +34,7 @@ public async Task GetToken() var credential = InstrumentClient(new ClientSecretCredential(tenantId, clientId, secret, options)); - var tokenRequestContext = new TokenRequestContext(new[] { AzureAuthorityHosts.GetDefaultScope(AzureAuthorityHosts.AzurePublicCloud) }); + var tokenRequestContext = new TokenRequestContext(new[] { AzureAuthorityHosts.GetDefaultScope(new Uri(TestEnvironment.AuthorityHostUrl)) }); // ensure we can initially acquire a token AccessToken token = await credential.GetTokenAsync(tokenRequestContext); @@ -70,7 +70,7 @@ public void GetTokenIncorrectPassword() var credential = InstrumentClient(new ClientSecretCredential(tenantId, clientId, secret, options)); - var tokenRequestContext = new TokenRequestContext(new[] { AzureAuthorityHosts.GetDefaultScope(AzureAuthorityHosts.AzurePublicCloud) }); + var tokenRequestContext = new TokenRequestContext(new[] { AzureAuthorityHosts.GetDefaultScope(new Uri(TestEnvironment.AuthorityHostUrl)) }); // ensure we can initially acquire a token Assert.ThrowsAsync(async () => await credential.GetTokenAsync(tokenRequestContext)); diff --git a/sdk/identity/Azure.Identity/tests/CredentialTestHelpers.cs b/sdk/identity/Azure.Identity/tests/CredentialTestHelpers.cs index 4ad4dd853d7f..63f32d377e59 100644 --- a/sdk/identity/Azure.Identity/tests/CredentialTestHelpers.cs +++ b/sdk/identity/Azure.Identity/tests/CredentialTestHelpers.cs @@ -138,8 +138,10 @@ public static async Task GetRefreshTokenAsync(IdentityTestEnvironment te var clientId = "aebc6443-996d-45c2-90f0-388ff96faa56"; var username = testEnvironment.Username; var password = testEnvironment.Password; + var authorityUri = new Uri(new Uri(testEnvironment.AuthorityHostUrl), testEnvironment.TestTenantId).ToString(); var client = PublicClientApplicationBuilder.Create(clientId) + .WithAuthority(authorityUri) .WithTenantId(testEnvironment.TestTenantId) .Build(); diff --git a/sdk/identity/Azure.Identity/tests/DefaultAzureCredentialLiveTests.cs b/sdk/identity/Azure.Identity/tests/DefaultAzureCredentialLiveTests.cs index 5fef0cb864b0..9cf491736114 100644 --- a/sdk/identity/Azure.Identity/tests/DefaultAzureCredentialLiveTests.cs +++ b/sdk/identity/Azure.Identity/tests/DefaultAzureCredentialLiveTests.cs @@ -45,7 +45,7 @@ public async Task DefaultAzureCredential_UseVisualStudioCredential() using (ClientDiagnosticListener diagnosticListener = new ClientDiagnosticListener(s => s.StartsWith("Azure.Identity"))) { - token = await credential.GetTokenAsync(new TokenRequestContext(new[] {"https://vault.azure.net/.default"}), CancellationToken.None); + token = await credential.GetTokenAsync(new TokenRequestContext(new[] {TestEnvironment.KeyvaultScope}), CancellationToken.None); scopes = diagnosticListener.Scopes; } @@ -66,6 +66,7 @@ public async Task DefaultAzureCredential_UseVisualStudioCodeCredential() ExcludeEnvironmentCredential = true, ExcludeInteractiveBrowserCredential = true, ExcludeSharedTokenCacheCredential = true, + ExcludeManagedIdentityCredential = true, VisualStudioCodeTenantId = TestEnvironment.TestTenantId }); @@ -82,7 +83,7 @@ public async Task DefaultAzureCredential_UseVisualStudioCodeCredential() using (await CredentialTestHelpers.CreateRefreshTokenFixtureAsync(TestEnvironment, Mode, ExpectedServiceName, cloudName)) using (ClientDiagnosticListener diagnosticListener = new ClientDiagnosticListener(s => s.StartsWith("Azure.Identity"))) { - token = await credential.GetTokenAsync(new TokenRequestContext(new[] {"https://vault.azure.net/.default"}), CancellationToken.None); + token = await credential.GetTokenAsync(new TokenRequestContext(new[] {TestEnvironment.KeyvaultScope}), CancellationToken.None); scopes = diagnosticListener.Scopes; } @@ -102,6 +103,7 @@ public async Task DefaultAzureCredential_UseVisualStudioCodeCredential_ParallelC ExcludeEnvironmentCredential = true, ExcludeInteractiveBrowserCredential = true, ExcludeSharedTokenCacheCredential = true, + ExcludeManagedIdentityCredential = true, VisualStudioCodeTenantId = TestEnvironment.TestTenantId }); @@ -117,7 +119,7 @@ public async Task DefaultAzureCredential_UseVisualStudioCodeCredential_ParallelC { for (int i = 0; i < 10; i++) { - tasks.Add(Task.Run(async () => await credential.GetTokenAsync(new TokenRequestContext(new[] {"https://vault.azure.net/.default"}), CancellationToken.None))); + tasks.Add(Task.Run(async () => await credential.GetTokenAsync(new TokenRequestContext(new[] {TestEnvironment.KeyvaultScope}), CancellationToken.None))); } await Task.WhenAll(tasks); @@ -153,7 +155,7 @@ public async Task DefaultAzureCredential_UseAzureCliCredential() using (ClientDiagnosticListener diagnosticListener = new ClientDiagnosticListener(s => s.StartsWith("Azure.Identity"))) { - token = await credential.GetTokenAsync(new TokenRequestContext(new[] {"https://vault.azure.net/.default"}), CancellationToken.None); + token = await credential.GetTokenAsync(new TokenRequestContext(new[] {TestEnvironment.KeyvaultScope}), CancellationToken.None); scopes = diagnosticListener.Scopes; } @@ -187,7 +189,7 @@ public async Task DefaultAzureCredential_UseAzureCliCredential_ParallelCalls() var tasks = new List>(); for (int i = 0; i < 10; i++) { - tasks.Add(Task.Run(async () => await credential.GetTokenAsync(new TokenRequestContext(new[] {"https://vault.azure.net/.default"}), CancellationToken.None))); + tasks.Add(Task.Run(async () => await credential.GetTokenAsync(new TokenRequestContext(new[] {TestEnvironment.KeyvaultScope}), CancellationToken.None))); } await Task.WhenAll(tasks); @@ -218,7 +220,7 @@ public void DefaultAzureCredential_AllCredentialsHaveFailed_CredentialUnavailabl using (ClientDiagnosticListener diagnosticListener = new ClientDiagnosticListener(s => s.StartsWith("Azure.Identity"))) { - Assert.CatchAsync(async () => await credential.GetTokenAsync(new TokenRequestContext(new[] {"https://vault.azure.net/.default"}), CancellationToken.None)); + Assert.CatchAsync(async () => await credential.GetTokenAsync(new TokenRequestContext(new[] {TestEnvironment.KeyvaultScope}), CancellationToken.None)); scopes = diagnosticListener.Scopes; } @@ -275,7 +277,7 @@ public void DefaultAzureCredential_AllCredentialsHaveFailed_LastAuthenticationFa using (ClientDiagnosticListener diagnosticListener = new ClientDiagnosticListener(s => s.StartsWith("Azure.Identity"))) { - Assert.CatchAsync(async () => await credential.GetTokenAsync(new TokenRequestContext(new[] {"https://vault.azure.net/.default"}), CancellationToken.None)); + Assert.CatchAsync(async () => await credential.GetTokenAsync(new TokenRequestContext(new[] {TestEnvironment.KeyvaultScope}), CancellationToken.None)); scopes = diagnosticListener.Scopes; } diff --git a/sdk/identity/Azure.Identity/tests/DeviceCodeCredentialTests.cs b/sdk/identity/Azure.Identity/tests/DeviceCodeCredentialTests.cs index fe4f4c4ce4c1..f76ad189e4b9 100644 --- a/sdk/identity/Azure.Identity/tests/DeviceCodeCredentialTests.cs +++ b/sdk/identity/Azure.Identity/tests/DeviceCodeCredentialTests.cs @@ -176,6 +176,7 @@ public async Task AuthenticateWithDeviceCodeMockVerifyCallbackCancellationAsync( [Test] public void AuthenticateWithDeviceCodeCallbackThrowsAsync() { + IdentityTestEnvironment testEnvironment = new IdentityTestEnvironment(); var expectedCode = Guid.NewGuid().ToString(); var expectedToken = Guid.NewGuid().ToString(); @@ -188,7 +189,7 @@ public void AuthenticateWithDeviceCodeCallbackThrowsAsync() var cred = InstrumentClient(new DeviceCodeCredential(ThrowingDeviceCodeCallback, ClientId, options: options)); - var ex = Assert.ThrowsAsync(async () => await cred.GetTokenAsync(new TokenRequestContext(new string[] { "https://vault.azure.net/.default" }), cancelSource.Token)); + var ex = Assert.ThrowsAsync(async () => await cred.GetTokenAsync(new TokenRequestContext(new string[] { testEnvironment.KeyvaultScope }), cancelSource.Token)); Assert.IsInstanceOf(typeof(MockException), ex.InnerException); } @@ -209,14 +210,15 @@ public void DisableAutomaticAuthenticationException() private MockResponse ProcessMockRequest(MockRequest mockRequest, string code, string token) { + IdentityTestEnvironment testEnvironment = new IdentityTestEnvironment(); string requestUrl = mockRequest.Uri.ToUri().AbsoluteUri; - if (requestUrl.StartsWith("https://login.microsoftonline.com/common/discovery/instance")) + if (requestUrl.StartsWith(new Uri(new Uri(testEnvironment.AuthorityHostUrl), "common/discovery/instance").ToString())) { return DiscoveryInstanceResponse; } - if (requestUrl.StartsWith("https://login.microsoftonline.com/organizations/v2.0/.well-known/openid-configuration")) + if (requestUrl.StartsWith(new Uri(new Uri(testEnvironment.AuthorityHostUrl), "organizations/v2.0/.well-known/openid-configuration").ToString())) { return OpenIdConfigurationResponse; } diff --git a/sdk/identity/Azure.Identity/tests/IdentityTestEnvironment.cs b/sdk/identity/Azure.Identity/tests/IdentityTestEnvironment.cs index 47c0843b6e0b..e5b47ef7c78f 100644 --- a/sdk/identity/Azure.Identity/tests/IdentityTestEnvironment.cs +++ b/sdk/identity/Azure.Identity/tests/IdentityTestEnvironment.cs @@ -31,6 +31,7 @@ public class IdentityTestEnvironment : TestEnvironment public string TestPassword => GetOptionalVariable("AZURE_IDENTITY_TEST_PASSWORD") ?? "SANITIZED"; public string TestTenantId => GetRecordedOptionalVariable("TENANT_ID") ?? GetRecordedVariable("AZURE_IDENTITY_TEST_TENANTID"); + public string KeyvaultScope => GetRecordedOptionalVariable("AZURE_KEYVAULT_SCOPE") ?? "SANITIZED"; public string ServicePrincipalClientId => GetRecordedVariable("IDENTITY_SP_CLIENT_ID"); public string ServicePrincipalTenantId => GetRecordedVariable("IDENTITY_SP_TENANT_ID"); diff --git a/sdk/identity/Azure.Identity/tests/VisualStudioCodeCredentialLiveTests.cs b/sdk/identity/Azure.Identity/tests/VisualStudioCodeCredentialLiveTests.cs index 18af2a9dfd2f..a2b4d523e6e6 100644 --- a/sdk/identity/Azure.Identity/tests/VisualStudioCodeCredentialLiveTests.cs +++ b/sdk/identity/Azure.Identity/tests/VisualStudioCodeCredentialLiveTests.cs @@ -30,7 +30,7 @@ public async Task AuthenticateWithVscCredential() var options = InstrumentClientOptions(new VisualStudioCodeCredentialOptions { TenantId = TestEnvironment.TestTenantId }); VisualStudioCodeCredential credential = InstrumentClient(new VisualStudioCodeCredential(options, default, default, fileSystem, default)); - AccessToken token = await credential.GetTokenAsync(new TokenRequestContext(new[] {"https://vault.azure.net/.default"}), CancellationToken.None); + AccessToken token = await credential.GetTokenAsync(new TokenRequestContext(new[] { TestEnvironment.KeyvaultScope}), CancellationToken.None); Assert.IsNotNull(token.Token); } @@ -43,7 +43,7 @@ public async Task AuthenticateWithVscCredential_NoSettingsFile() var options = InstrumentClientOptions(new VisualStudioCodeCredentialOptions { TenantId = TestEnvironment.TestTenantId }); VisualStudioCodeCredential credential = InstrumentClient(new VisualStudioCodeCredential(options, default, default, fileSystemService, vscAdapter)); - AccessToken token = await credential.GetTokenAsync(new TokenRequestContext(new[] {"https://vault.azure.net/.default"}), CancellationToken.None); + AccessToken token = await credential.GetTokenAsync(new TokenRequestContext(new[] { TestEnvironment.KeyvaultScope}), CancellationToken.None); Assert.IsNotNull(token.Token); } @@ -56,7 +56,7 @@ public async Task AuthenticateWithVscCredential_BrokenSettingsFile() var options = InstrumentClientOptions(new VisualStudioCodeCredentialOptions { TenantId = TestEnvironment.TestTenantId }); VisualStudioCodeCredential credential = InstrumentClient(new VisualStudioCodeCredential(options, default, default, fileSystemService, vscAdapter)); - AccessToken token = await credential.GetTokenAsync(new TokenRequestContext(new[] {"https://vault.azure.net/.default"}), CancellationToken.None); + AccessToken token = await credential.GetTokenAsync(new TokenRequestContext(new[] {TestEnvironment.KeyvaultScope}), CancellationToken.None); Assert.IsNotNull(token.Token); } @@ -70,7 +70,7 @@ public async Task AuthenticateWithVscCredential_EmptySettingsFile() var options = InstrumentClientOptions(new VisualStudioCodeCredentialOptions { TenantId = TestEnvironment.TestTenantId }); VisualStudioCodeCredential credential = InstrumentClient(new VisualStudioCodeCredential(options, default, default, fileSystemService, vscAdapter)); - AccessToken token = await credential.GetTokenAsync(new TokenRequestContext(new[] {"https://vault.azure.net/.default"}), CancellationToken.None); + AccessToken token = await credential.GetTokenAsync(new TokenRequestContext(new[] {TestEnvironment.KeyvaultScope}), CancellationToken.None); Assert.IsNotNull(token.Token); } @@ -86,7 +86,7 @@ public async Task AuthenticateWithVscCredential_TenantInSettings() var options = InstrumentClientOptions(new VisualStudioCodeCredentialOptions { TenantId = Guid.NewGuid().ToString() }); VisualStudioCodeCredential credential = InstrumentClient(new VisualStudioCodeCredential(options, default, default, fileSystemService, default)); - AccessToken token = await credential.GetTokenAsync(new TokenRequestContext(new[] {"https://vault.azure.net/.default"}), CancellationToken.None); + AccessToken token = await credential.GetTokenAsync(new TokenRequestContext(new[] {TestEnvironment.KeyvaultScope}), CancellationToken.None); Assert.IsNotNull(token.Token); } @@ -100,7 +100,7 @@ public void AuthenticateWithVscCredential_NoVscInstalled() var options = InstrumentClientOptions(new VisualStudioCodeCredentialOptions { TenantId = TestEnvironment.TestTenantId }); VisualStudioCodeCredential credential = InstrumentClient(new VisualStudioCodeCredential(options, default, default, fileSystem, default)); - Assert.CatchAsync(async () => await credential.GetTokenAsync(new TokenRequestContext(new[] {"https://vault.azure.net/.default"}), CancellationToken.None)); + Assert.CatchAsync(async () => await credential.GetTokenAsync(new TokenRequestContext(new[] {TestEnvironment.KeyvaultScope}), CancellationToken.None)); } [Test] @@ -113,7 +113,7 @@ public void AuthenticateWithVscCredential_NoRefreshToken() var options = InstrumentClientOptions(new VisualStudioCodeCredentialOptions { TenantId = tenantId }); VisualStudioCodeCredential credential = InstrumentClient(new VisualStudioCodeCredential(options, default, default, fileSystem, vscAdapter)); - Assert.ThrowsAsync(async () => await credential.GetTokenAsync(new TokenRequestContext(new[] {"https://vault.azure.net/.default"}), CancellationToken.None)); + Assert.CatchAsync(async () => await credential.GetTokenAsync(new TokenRequestContext(new[] {TestEnvironment.KeyvaultScope}), CancellationToken.None)); } [Test] @@ -126,7 +126,7 @@ public void AuthenticateWithVscCredential_AuthenticationCodeInsteadOfRefreshToke var options = InstrumentClientOptions(new VisualStudioCodeCredentialOptions { TenantId = tenantId }); VisualStudioCodeCredential credential = InstrumentClient(new VisualStudioCodeCredential(options, default, default, fileSystemService, vscAdapter)); - Assert.ThrowsAsync(async () => await credential.GetTokenAsync(new TokenRequestContext(new[] {"https://vault.azure.net/.default"}), CancellationToken.None)); + Assert.ThrowsAsync(async () => await credential.GetTokenAsync(new TokenRequestContext(new[] {TestEnvironment.KeyvaultScope}), CancellationToken.None)); } [Test] @@ -139,7 +139,7 @@ public void AuthenticateWithVscCredential_InvalidRefreshToken() var options = InstrumentClientOptions(new VisualStudioCodeCredentialOptions { TenantId = tenantId }); VisualStudioCodeCredential credential = InstrumentClient(new VisualStudioCodeCredential(options, default, default, fileSystemService, vscAdapter)); - Assert.ThrowsAsync(async () => await credential.GetTokenAsync(new TokenRequestContext(new[] {".default"}), CancellationToken.None)); + Assert.ThrowsAsync(async () => await credential.GetTokenAsync(new TokenRequestContext(new[] { TestEnvironment.KeyvaultScope }), CancellationToken.None)); } } } diff --git a/sdk/identity/tests.yml b/sdk/identity/tests.yml index ae0d8cad081d..7b83a0ab7374 100644 --- a/sdk/identity/tests.yml +++ b/sdk/identity/tests.yml @@ -17,6 +17,7 @@ extends: Selection: sparse GenerateContainerJobs: true ServiceDirectory: identity + SupportedClouds: 'Public,UsGov,China,Canary' PreSteps: - pwsh: Install-Module -Name Az -Scope CurrentUser -AllowClobber -Force -Verbose displayName: Install Azure PowerShell module From 32d3cf2997c86037088caf6ac3d4ed0bda46383b Mon Sep 17 00:00:00 2001 From: Chris Hamons Date: Tue, 4 May 2021 15:52:09 -0500 Subject: [PATCH 37/37] [autorest.csharp] Bump to latest, write transforms to correct 2 swaggers. (#20833) A recent bump to autorest core broke the autobump script, as two existing sdks refused validation. This PR does the bump, writes transforms for the short term, and then regenerates code. These issues are filed to update the swagger and remove the transform. https://github.com/Azure/azure-sdk/issues/2803 handles this for ACR. https://github.com/Azure/azure-sdk/issues/2805 handles this for Azure.AI.MetricsAdvisor . --- eng/Packages.Data.props | 2 +- .../InternalPurchasePhoneNumbersOperation.cs | 24 +- .../InternalReleasePhoneNumberOperation.cs | 24 +- .../InternalPurchasePhoneNumbersOperation.cs | 2 +- .../InternalReleasePhoneNumberOperation.cs | 2 +- .../src/PurchasePhoneNumbersOperation.cs | 8 +- .../src/ReleasePhoneNumberOperation.cs | 8 +- .../src/autorest.md | 17 + .../Azure.AI.MetricsAdvisor/src/autorest.md | 17 + .../src/Generated/DiscoveryRestClient.cs | 306 + .../src/Generated/EntityRestClient.cs | 3516 ++++++++ .../src/Generated/GlossaryRestClient.cs | 6854 +++++++++++++++ .../src/Generated/RelationshipRestClient.cs | 1036 +++ .../src/Generated/TypesRestClient.cs | 7422 +++++++++++++++++ .../PurviewClassificationRuleClient.cs | 58 + .../src/Generated/PurviewDataSourceClient.cs | 586 ++ .../src/Generated/PurviewScanClient.cs | 1014 +++ .../Generated/PurviewScanningServiceClient.cs | 194 + .../README.md | 2 +- ...lytics.Synapse.Artifacts.netstandard2.0.cs | 160 +- .../samples/Sample1_HelloWorldPipeline.md | 2 +- .../samples/Sample2_HelloWorldNotebook.md | 2 +- .../samples/Sample3_HelloWorldTrigger.md | 2 +- .../samples/Sample4_HelloWorldDataFlow.md | 2 +- .../samples/Sample5_HelloWorldDataset.md | 2 +- .../Sample6_HelloWorldLinkedService.md | 2 +- .../DataFlowDeleteDataFlowOperation.cs | 26 +- .../DataFlowRenameDataFlowOperation.cs | 26 +- .../DatasetDeleteDatasetOperation.cs | 26 +- .../DatasetRenameDatasetOperation.cs | 26 +- .../src/Generated/LibraryCreateOperation.cs | 26 +- .../src/Generated/LibraryDeleteOperation.cs | 26 +- .../src/Generated/LibraryFlushOperation.cs | 26 +- ...nkedServiceDeleteLinkedServiceOperation.cs | 26 +- ...nkedServiceRenameLinkedServiceOperation.cs | 26 +- .../NotebookDeleteNotebookOperation.cs | 26 +- .../NotebookRenameNotebookOperation.cs | 26 +- .../PipelineDeletePipelineOperation.cs | 26 +- .../PipelineRenamePipelineOperation.cs | 26 +- ...nitionDeleteSparkJobDefinitionOperation.cs | 26 +- ...nitionRenameSparkJobDefinitionOperation.cs | 26 +- .../SqlScriptDeleteSqlScriptOperation.cs | 26 +- .../SqlScriptRenameSqlScriptOperation.cs | 26 +- .../TriggerDeleteTriggerOperation.cs | 26 +- .../Generated/TriggerStartTriggerOperation.cs | 26 +- .../Generated/TriggerStopTriggerOperation.cs | 26 +- .../tests/DataFlowClientLiveTests.cs | 4 +- .../tests/DatasetClientLiveTests.cs | 2 +- .../tests/DisposableDataFlow.cs | 2 +- .../tests/DisposablePipeline.cs | 2 +- .../tests/DisposableTrigger.cs | 2 +- .../tests/LinkedServiceClientLiveTests.cs | 6 +- .../tests/NotebookClientLiveTests.cs | 6 +- .../tests/PipelineClientLiveTests.cs | 4 +- .../SparkJobDefinitionClientLiveTests.cs | 6 +- .../tests/SqlScriptClientLiveTests.cs | 6 +- .../tests/TriggerClientLiveTests.cs | 4 +- .../samples/Sample1_HelloWorldPipeline.cs | 2 +- .../samples/Sample2_HelloWorldNotebook.cs | 2 +- .../samples/Sample3_HelloWorldTrigger.cs | 2 +- .../samples/Sample4_HelloWorldDataFlow.cs | 2 +- .../samples/Sample5_HelloWorldDataset.cs | 2 +- .../Sample6_HelloWorldLinkedService.cs | 2 +- .../tests/SynapseTestExtensions.cs | 4 +- 64 files changed, 21236 insertions(+), 608 deletions(-) diff --git a/eng/Packages.Data.props b/eng/Packages.Data.props index 7e2e0030a8a4..37b69a56e6f2 100644 --- a/eng/Packages.Data.props +++ b/eng/Packages.Data.props @@ -127,7 +127,7 @@ All should have PrivateAssets="All" set so they don't become pacakge dependencies --> - + diff --git a/sdk/communication/Azure.Communication.PhoneNumbers/src/Generated/InternalPurchasePhoneNumbersOperation.cs b/sdk/communication/Azure.Communication.PhoneNumbers/src/Generated/InternalPurchasePhoneNumbersOperation.cs index ab9436973299..6110389c6742 100644 --- a/sdk/communication/Azure.Communication.PhoneNumbers/src/Generated/InternalPurchasePhoneNumbersOperation.cs +++ b/sdk/communication/Azure.Communication.PhoneNumbers/src/Generated/InternalPurchasePhoneNumbersOperation.cs @@ -15,24 +15,18 @@ namespace Azure.Communication.PhoneNumbers { /// Purchases phone numbers. - internal partial class InternalPurchasePhoneNumbersOperation : Operation, IOperationSource + internal partial class InternalPurchasePhoneNumbersOperation : Operation { - private readonly OperationInternals _operation; + private readonly OperationInternals _operation; /// Initializes a new instance of InternalPurchasePhoneNumbersOperation for mocking. protected InternalPurchasePhoneNumbersOperation() { } - /// - public override Response Value => _operation.Value; - /// public override bool HasCompleted => _operation.HasCompleted; - /// - public override bool HasValue => _operation.HasValue; - /// public override Response GetRawResponse() => _operation.GetRawResponse(); @@ -43,19 +37,9 @@ protected InternalPurchasePhoneNumbersOperation() public override ValueTask UpdateStatusAsync(CancellationToken cancellationToken = default) => _operation.UpdateStatusAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(cancellationToken); + public override ValueTask WaitForCompletionResponseAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(pollingInterval, cancellationToken); - - Response IOperationSource.CreateResult(Response response, CancellationToken cancellationToken) - { - return response; - } - - async ValueTask IOperationSource.CreateResultAsync(Response response, CancellationToken cancellationToken) - { - return await new ValueTask(response).ConfigureAwait(false); - } + public override ValueTask WaitForCompletionResponseAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(pollingInterval, cancellationToken); } } diff --git a/sdk/communication/Azure.Communication.PhoneNumbers/src/Generated/InternalReleasePhoneNumberOperation.cs b/sdk/communication/Azure.Communication.PhoneNumbers/src/Generated/InternalReleasePhoneNumberOperation.cs index 7e19fcf9972d..66e295dc61d0 100644 --- a/sdk/communication/Azure.Communication.PhoneNumbers/src/Generated/InternalReleasePhoneNumberOperation.cs +++ b/sdk/communication/Azure.Communication.PhoneNumbers/src/Generated/InternalReleasePhoneNumberOperation.cs @@ -15,24 +15,18 @@ namespace Azure.Communication.PhoneNumbers { /// Releases a purchased phone number. - internal partial class InternalReleasePhoneNumberOperation : Operation, IOperationSource + internal partial class InternalReleasePhoneNumberOperation : Operation { - private readonly OperationInternals _operation; + private readonly OperationInternals _operation; /// Initializes a new instance of InternalReleasePhoneNumberOperation for mocking. protected InternalReleasePhoneNumberOperation() { } - /// - public override Response Value => _operation.Value; - /// public override bool HasCompleted => _operation.HasCompleted; - /// - public override bool HasValue => _operation.HasValue; - /// public override Response GetRawResponse() => _operation.GetRawResponse(); @@ -43,19 +37,9 @@ protected InternalReleasePhoneNumberOperation() public override ValueTask UpdateStatusAsync(CancellationToken cancellationToken = default) => _operation.UpdateStatusAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(cancellationToken); + public override ValueTask WaitForCompletionResponseAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(pollingInterval, cancellationToken); - - Response IOperationSource.CreateResult(Response response, CancellationToken cancellationToken) - { - return response; - } - - async ValueTask IOperationSource.CreateResultAsync(Response response, CancellationToken cancellationToken) - { - return await new ValueTask(response).ConfigureAwait(false); - } + public override ValueTask WaitForCompletionResponseAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(pollingInterval, cancellationToken); } } diff --git a/sdk/communication/Azure.Communication.PhoneNumbers/src/InternalPurchasePhoneNumbersOperation.cs b/sdk/communication/Azure.Communication.PhoneNumbers/src/InternalPurchasePhoneNumbersOperation.cs index 7c2895675698..822c85427f21 100644 --- a/sdk/communication/Azure.Communication.PhoneNumbers/src/InternalPurchasePhoneNumbersOperation.cs +++ b/sdk/communication/Azure.Communication.PhoneNumbers/src/InternalPurchasePhoneNumbersOperation.cs @@ -11,7 +11,7 @@ internal partial class InternalPurchasePhoneNumbersOperation { internal InternalPurchasePhoneNumbersOperation(ClientDiagnostics clientDiagnostics, HttpPipeline pipeline, Request request, Response response) { - _operation = new OperationInternals(this, clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "PurchasePhoneNumbersOperation"); + _operation = new OperationInternals(clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "PurchasePhoneNumbersOperation"); if (response.Headers.TryGetValue("operation-id", out var id)) { diff --git a/sdk/communication/Azure.Communication.PhoneNumbers/src/InternalReleasePhoneNumberOperation.cs b/sdk/communication/Azure.Communication.PhoneNumbers/src/InternalReleasePhoneNumberOperation.cs index d728e3d91117..c490fb070dc4 100644 --- a/sdk/communication/Azure.Communication.PhoneNumbers/src/InternalReleasePhoneNumberOperation.cs +++ b/sdk/communication/Azure.Communication.PhoneNumbers/src/InternalReleasePhoneNumberOperation.cs @@ -11,7 +11,7 @@ internal partial class InternalReleasePhoneNumberOperation { internal InternalReleasePhoneNumberOperation(ClientDiagnostics clientDiagnostics, HttpPipeline pipeline, Request request, Response response) { - _operation = new OperationInternals(this, clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "ReleasePhoneNumberOperation"); + _operation = new OperationInternals(clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "ReleasePhoneNumberOperation"); if (response.Headers.TryGetValue("operation-id", out var id)) { diff --git a/sdk/communication/Azure.Communication.PhoneNumbers/src/PurchasePhoneNumbersOperation.cs b/sdk/communication/Azure.Communication.PhoneNumbers/src/PurchasePhoneNumbersOperation.cs index 0d52ad21bf74..32393cc2281b 100644 --- a/sdk/communication/Azure.Communication.PhoneNumbers/src/PurchasePhoneNumbersOperation.cs +++ b/sdk/communication/Azure.Communication.PhoneNumbers/src/PurchasePhoneNumbersOperation.cs @@ -38,17 +38,17 @@ public override async ValueTask UpdateStatusAsync(CancellationToken ca /// public override async ValueTask WaitForCompletionResponseAsync(CancellationToken cancellationToken = default) { - Response response = await _operation.WaitForCompletionAsync(cancellationToken).ConfigureAwait(false); + Response response = await _operation.WaitForCompletionResponseAsync(cancellationToken).ConfigureAwait(false); - return response.GetRawResponse(); + return response; } /// public override async ValueTask WaitForCompletionResponseAsync(TimeSpan pollingInterval, CancellationToken cancellationToken) { - Response response = await _operation.WaitForCompletionAsync(pollingInterval, cancellationToken).ConfigureAwait(false); + Response response = await _operation.WaitForCompletionResponseAsync(pollingInterval, cancellationToken).ConfigureAwait(false); - return response.GetRawResponse(); + return response; } } } diff --git a/sdk/communication/Azure.Communication.PhoneNumbers/src/ReleasePhoneNumberOperation.cs b/sdk/communication/Azure.Communication.PhoneNumbers/src/ReleasePhoneNumberOperation.cs index b29c5604ec65..aaffdeba3632 100644 --- a/sdk/communication/Azure.Communication.PhoneNumbers/src/ReleasePhoneNumberOperation.cs +++ b/sdk/communication/Azure.Communication.PhoneNumbers/src/ReleasePhoneNumberOperation.cs @@ -38,17 +38,17 @@ public override async ValueTask UpdateStatusAsync(CancellationToken ca /// public override async ValueTask WaitForCompletionResponseAsync(CancellationToken cancellationToken = default) { - Response response = await _operation.WaitForCompletionAsync(cancellationToken).ConfigureAwait(false); + Response response = await _operation.WaitForCompletionResponseAsync(cancellationToken).ConfigureAwait(false); - return response.GetRawResponse(); + return response; } /// public override async ValueTask WaitForCompletionResponseAsync(TimeSpan pollingInterval, CancellationToken cancellationToken) { - Response response = await _operation.WaitForCompletionAsync(pollingInterval, cancellationToken).ConfigureAwait(false); + Response response = await _operation.WaitForCompletionResponseAsync(pollingInterval, cancellationToken).ConfigureAwait(false); - return response.GetRawResponse(); + return response; } } } diff --git a/sdk/containerregistry/Azure.Containers.ContainerRegistry/src/autorest.md b/sdk/containerregistry/Azure.Containers.ContainerRegistry/src/autorest.md index 596d98076697..0f52b9436dd5 100644 --- a/sdk/containerregistry/Azure.Containers.ContainerRegistry/src/autorest.md +++ b/sdk/containerregistry/Azure.Containers.ContainerRegistry/src/autorest.md @@ -15,3 +15,20 @@ directive: transform: > $["x-accessibility"] = "internal" ``` + +### Correct Security to be separately defined + +``` yaml +directive: + from: swagger-document + where: $ + transform: > + $.security = [ + { + "registry_oauth2": [] + }, + { + "registry_auth": [] + } + ] +``` diff --git a/sdk/metricsadvisor/Azure.AI.MetricsAdvisor/src/autorest.md b/sdk/metricsadvisor/Azure.AI.MetricsAdvisor/src/autorest.md index a11ef8191f63..b374f929c509 100644 --- a/sdk/metricsadvisor/Azure.AI.MetricsAdvisor/src/autorest.md +++ b/sdk/metricsadvisor/Azure.AI.MetricsAdvisor/src/autorest.md @@ -813,3 +813,20 @@ directive: } } ``` + +### Correct Security to be separately defined + +``` yaml +directive: + from: swagger-document + where: $ + transform: > + $.security = [ + { + "apim_key": [] + }, + { + "ma_api_key": [] + } + ] +``` diff --git a/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/DiscoveryRestClient.cs b/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/DiscoveryRestClient.cs index 3cdb8e7e7281..09b2028e96d1 100644 --- a/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/DiscoveryRestClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/DiscoveryRestClient.cs @@ -52,6 +52,101 @@ public DiscoveryRestClient(Uri endpoint, TokenCredential credential, CatalogClie } /// Gets data using search. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// keywords + /// string + /// + /// The keywords applied to all searchable fields. + /// + /// + /// offset + /// number + /// + /// The offset. The default value is 0. + /// + /// + /// limit + /// number + /// + /// The limit of the number of the search result. default value is 50; maximum value is 1000. + /// + /// + /// filter + /// AnyObject + /// + /// The filter for the search. See examples for the usage of supported filters. + /// + /// + /// facets + /// SearchFacetItem[] + /// + /// + /// + /// + /// taxonomySetting + /// SearchRequestTaxonomySetting + /// + /// + /// + /// + /// Schema for SearchRequestTaxonomySetting: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// assetTypes + /// string[] + /// + /// + /// + /// + /// facet + /// SearchFacetItem + /// + /// The content of a search facet result item. + /// + /// + /// Schema for SearchFacetItem: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// count + /// number + /// + /// The count of the facet item. + /// + /// + /// facet + /// string + /// + /// The name of the facet item. + /// + /// + /// sort + /// AnyObject + /// + /// Any object. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual async Task SearchAdvancedAsync(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -61,6 +156,101 @@ public virtual async Task SearchAdvancedAsync(RequestContent requestBo } /// Gets data using search. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// keywords + /// string + /// + /// The keywords applied to all searchable fields. + /// + /// + /// offset + /// number + /// + /// The offset. The default value is 0. + /// + /// + /// limit + /// number + /// + /// The limit of the number of the search result. default value is 50; maximum value is 1000. + /// + /// + /// filter + /// AnyObject + /// + /// The filter for the search. See examples for the usage of supported filters. + /// + /// + /// facets + /// SearchFacetItem[] + /// + /// + /// + /// + /// taxonomySetting + /// SearchRequestTaxonomySetting + /// + /// + /// + /// + /// Schema for SearchRequestTaxonomySetting: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// assetTypes + /// string[] + /// + /// + /// + /// + /// facet + /// SearchFacetItem + /// + /// The content of a search facet result item. + /// + /// + /// Schema for SearchFacetItem: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// count + /// number + /// + /// The count of the facet item. + /// + /// + /// facet + /// string + /// + /// The name of the facet item. + /// + /// + /// sort + /// AnyObject + /// + /// Any object. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual Response SearchAdvanced(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -92,6 +282,35 @@ private Request CreateSearchAdvancedRequest(RequestContent requestBody) } /// Get search suggestions by query criteria. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// keywords + /// string + /// + /// The keywords applied to all fields that support suggest operation. It must be at least 1 character, and no more than 100 characters. In the index schema we defined a default suggester which lists all the supported fields and specifies a search mode. + /// + /// + /// limit + /// number + /// + /// The number of suggestions we hope to return. The default value is 5. The value must be a number between 1 and 100. + /// + /// + /// filter + /// AnyObject + /// + /// The filter for the search. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual async Task SuggestAsync(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -101,6 +320,35 @@ public virtual async Task SuggestAsync(RequestContent requestBody, Can } /// Get search suggestions by query criteria. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// keywords + /// string + /// + /// The keywords applied to all fields that support suggest operation. It must be at least 1 character, and no more than 100 characters. In the index schema we defined a default suggester which lists all the supported fields and specifies a search mode. + /// + /// + /// limit + /// number + /// + /// The number of suggestions we hope to return. The default value is 5. The value must be a number between 1 and 100. + /// + /// + /// filter + /// AnyObject + /// + /// The filter for the search. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual Response Suggest(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -132,6 +380,35 @@ private Request CreateSuggestRequest(RequestContent requestBody) } /// Get auto complete options. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// keywords + /// string + /// + /// The keywords applied to all fields that support autocomplete operation. It must be at least 1 character, and no more than 100 characters. + /// + /// + /// limit + /// number + /// + /// The number of autocomplete results we hope to return. The default value is 50. The value must be a number between 1 and 100. + /// + /// + /// filter + /// AnyObject + /// + /// The filter for the autocomplete request. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual async Task AutoCompleteAsync(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -141,6 +418,35 @@ public virtual async Task AutoCompleteAsync(RequestContent requestBody } /// Get auto complete options. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// keywords + /// string + /// + /// The keywords applied to all fields that support autocomplete operation. It must be at least 1 character, and no more than 100 characters. + /// + /// + /// limit + /// number + /// + /// The number of autocomplete results we hope to return. The default value is 50. The value must be a number between 1 and 100. + /// + /// + /// filter + /// AnyObject + /// + /// The filter for the autocomplete request. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual Response AutoComplete(RequestContent requestBody, CancellationToken cancellationToken = default) diff --git a/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/EntityRestClient.cs b/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/EntityRestClient.cs index e1ae3b6d038d..063c24345f3f 100644 --- a/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/EntityRestClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/EntityRestClient.cs @@ -57,6 +57,338 @@ public EntityRestClient(Uri endpoint, TokenCredential credential, CatalogClientO /// Existing entity is matched using its unique guid if supplied or by its unique attributes eg: qualifiedName. /// Map and array of collections are not well supported. E.g., array<array<int>>, array<map<string, int>>. /// + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// referredEntities + /// Dictionary<string, AtlasEntity> + /// + /// The referred entities. + /// + /// + /// entity + /// AtlasEntity + /// + /// An instance of an entity - like hive_table, hive_database. + /// + /// + /// Schema for AtlasEntity: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// classifications + /// AtlasClassification[] + /// + /// An array of classifications. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// guid + /// string + /// + /// The GUID of the entity. + /// + /// + /// homeId + /// string + /// + /// The home ID of the entity. + /// + /// + /// meanings + /// AtlasTermAssignmentHeader[] + /// + /// An array of term assignment headers indicating the meanings of the entity. + /// + /// + /// provenanceType + /// number + /// + /// Used to record the provenance of an instance of an entity or relationship. + /// + /// + /// proxy + /// boolean + /// + /// Determines if there's a proxy. + /// + /// + /// relationshipAttributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of relationship. + /// + /// + /// status + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the entity. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// contacts + /// Dictionary<string, ContactBasic[]> + /// + /// The dictionary of contacts for terms. Key could be Expert or Owner. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for AtlasTermAssignmentHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// confidence + /// number + /// + /// The confidence of the term assignment. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// description + /// string + /// + /// The description of the term assignment. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// expression + /// string + /// + /// The expression of the term assignment. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// source + /// string + /// + /// The source of the term. + /// + /// + /// status + /// "DISCOVERED" | "PROPOSED" | "IMPORTED" | "VALIDATED" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of terms assignment. + /// + /// + /// steward + /// string + /// + /// The steward of the term. + /// + /// + /// termGuid + /// string + /// + /// The GUID of the term. + /// + /// + /// Schema for ContactBasic: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// Azure Active Directory object Id. + /// + /// + /// info + /// string + /// + /// additional information to describe this contact. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual async Task CreateOrUpdateAsync(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -70,6 +402,338 @@ public virtual async Task CreateOrUpdateAsync(RequestContent requestBo /// Existing entity is matched using its unique guid if supplied or by its unique attributes eg: qualifiedName. /// Map and array of collections are not well supported. E.g., array<array<int>>, array<map<string, int>>. /// + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// referredEntities + /// Dictionary<string, AtlasEntity> + /// + /// The referred entities. + /// + /// + /// entity + /// AtlasEntity + /// + /// An instance of an entity - like hive_table, hive_database. + /// + /// + /// Schema for AtlasEntity: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// classifications + /// AtlasClassification[] + /// + /// An array of classifications. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// guid + /// string + /// + /// The GUID of the entity. + /// + /// + /// homeId + /// string + /// + /// The home ID of the entity. + /// + /// + /// meanings + /// AtlasTermAssignmentHeader[] + /// + /// An array of term assignment headers indicating the meanings of the entity. + /// + /// + /// provenanceType + /// number + /// + /// Used to record the provenance of an instance of an entity or relationship. + /// + /// + /// proxy + /// boolean + /// + /// Determines if there's a proxy. + /// + /// + /// relationshipAttributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of relationship. + /// + /// + /// status + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the entity. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// contacts + /// Dictionary<string, ContactBasic[]> + /// + /// The dictionary of contacts for terms. Key could be Expert or Owner. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for AtlasTermAssignmentHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// confidence + /// number + /// + /// The confidence of the term assignment. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// description + /// string + /// + /// The description of the term assignment. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// expression + /// string + /// + /// The expression of the term assignment. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// source + /// string + /// + /// The source of the term. + /// + /// + /// status + /// "DISCOVERED" | "PROPOSED" | "IMPORTED" | "VALIDATED" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of terms assignment. + /// + /// + /// steward + /// string + /// + /// The steward of the term. + /// + /// + /// termGuid + /// string + /// + /// The GUID of the term. + /// + /// + /// Schema for ContactBasic: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// Azure Active Directory object Id. + /// + /// + /// info + /// string + /// + /// additional information to describe this contact. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual Response CreateOrUpdate(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -165,6 +829,338 @@ private Request CreateGetByGuidsRequest(IEnumerable guid, bool? minExtIn /// Existing entity is matched using its unique guid if supplied or by its unique attributes eg: qualifiedName. /// Map and array of collections are not well supported. E.g., array<array<int>>, array<map<string, int>>. /// + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// referredEntities + /// Dictionary<string, AtlasEntity> + /// + /// The referred entities. + /// + /// + /// entities + /// AtlasEntity[] + /// + /// An array of entities. + /// + /// + /// Schema for AtlasEntity: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// classifications + /// AtlasClassification[] + /// + /// An array of classifications. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// guid + /// string + /// + /// The GUID of the entity. + /// + /// + /// homeId + /// string + /// + /// The home ID of the entity. + /// + /// + /// meanings + /// AtlasTermAssignmentHeader[] + /// + /// An array of term assignment headers indicating the meanings of the entity. + /// + /// + /// provenanceType + /// number + /// + /// Used to record the provenance of an instance of an entity or relationship. + /// + /// + /// proxy + /// boolean + /// + /// Determines if there's a proxy. + /// + /// + /// relationshipAttributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of relationship. + /// + /// + /// status + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the entity. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// contacts + /// Dictionary<string, ContactBasic[]> + /// + /// The dictionary of contacts for terms. Key could be Expert or Owner. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for AtlasTermAssignmentHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// confidence + /// number + /// + /// The confidence of the term assignment. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// description + /// string + /// + /// The description of the term assignment. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// expression + /// string + /// + /// The expression of the term assignment. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// source + /// string + /// + /// The source of the term. + /// + /// + /// status + /// "DISCOVERED" | "PROPOSED" | "IMPORTED" | "VALIDATED" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of terms assignment. + /// + /// + /// steward + /// string + /// + /// The steward of the term. + /// + /// + /// termGuid + /// string + /// + /// The GUID of the term. + /// + /// + /// Schema for ContactBasic: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// Azure Active Directory object Id. + /// + /// + /// info + /// string + /// + /// additional information to describe this contact. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual async Task CreateOrUpdateBulkAsync(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -178,6 +1174,338 @@ public virtual async Task CreateOrUpdateBulkAsync(RequestContent reque /// Existing entity is matched using its unique guid if supplied or by its unique attributes eg: qualifiedName. /// Map and array of collections are not well supported. E.g., array<array<int>>, array<map<string, int>>. /// + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// referredEntities + /// Dictionary<string, AtlasEntity> + /// + /// The referred entities. + /// + /// + /// entities + /// AtlasEntity[] + /// + /// An array of entities. + /// + /// + /// Schema for AtlasEntity: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// classifications + /// AtlasClassification[] + /// + /// An array of classifications. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// guid + /// string + /// + /// The GUID of the entity. + /// + /// + /// homeId + /// string + /// + /// The home ID of the entity. + /// + /// + /// meanings + /// AtlasTermAssignmentHeader[] + /// + /// An array of term assignment headers indicating the meanings of the entity. + /// + /// + /// provenanceType + /// number + /// + /// Used to record the provenance of an instance of an entity or relationship. + /// + /// + /// proxy + /// boolean + /// + /// Determines if there's a proxy. + /// + /// + /// relationshipAttributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of relationship. + /// + /// + /// status + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the entity. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// contacts + /// Dictionary<string, ContactBasic[]> + /// + /// The dictionary of contacts for terms. Key could be Expert or Owner. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for AtlasTermAssignmentHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// confidence + /// number + /// + /// The confidence of the term assignment. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// description + /// string + /// + /// The description of the term assignment. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// expression + /// string + /// + /// The expression of the term assignment. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// source + /// string + /// + /// The source of the term. + /// + /// + /// status + /// "DISCOVERED" | "PROPOSED" | "IMPORTED" | "VALIDATED" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of terms assignment. + /// + /// + /// steward + /// string + /// + /// The steward of the term. + /// + /// + /// termGuid + /// string + /// + /// The GUID of the term. + /// + /// + /// Schema for ContactBasic: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// Azure Active Directory object Id. + /// + /// + /// info + /// string + /// + /// additional information to describe this contact. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual Response CreateOrUpdateBulk(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -248,6 +1576,125 @@ private Request CreateBulkDeleteRequest(IEnumerable guid) } /// Associate a classification to multiple entities in bulk. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// classification + /// AtlasClassification + /// + /// An instance of a classification; it doesn't have an identity, this object exists only when associated with an entity. + /// + /// + /// entityGuids + /// string[] + /// + /// The GUID of the entity. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual async Task AddClassificationAsync(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -257,6 +1704,125 @@ public virtual async Task AddClassificationAsync(RequestContent reques } /// Associate a classification to multiple entities in bulk. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// classification + /// AtlasClassification + /// + /// An instance of a classification; it doesn't have an identity, this object exists only when associated with an entity. + /// + /// + /// entityGuids + /// string[] + /// + /// The GUID of the entity. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual Response AddClassification(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -540,6 +2106,104 @@ private Request CreateGetClassificationsRequest(string guid) } /// Add classifications to an existing entity represented by a GUID. + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The globally unique identifier of the entity. /// The request body. /// The cancellation token to use. @@ -550,6 +2214,104 @@ public virtual async Task AddClassificationsAsync(string guid, Request } /// Add classifications to an existing entity represented by a GUID. + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The globally unique identifier of the entity. /// The request body. /// The cancellation token to use. @@ -580,6 +2342,104 @@ private Request CreateAddClassificationsRequest(string guid, RequestContent requ } /// Update classifications to an existing entity represented by a guid. + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The globally unique identifier of the entity. /// The request body. /// The cancellation token to use. @@ -590,6 +2450,104 @@ public virtual async Task UpdateClassificationsAsync(string guid, Requ } /// Update classifications to an existing entity represented by a guid. + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The globally unique identifier of the entity. /// The request body. /// The cancellation token to use. @@ -699,6 +2657,338 @@ private Request CreateGetByUniqueAttributesRequest(string typeName, bool? minExt /// The REST request would look something like this: /// PUT /v2/entity/uniqueAttribute/type/aType?attr:aTypeAttribute=someValue. /// + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// referredEntities + /// Dictionary<string, AtlasEntity> + /// + /// The referred entities. + /// + /// + /// entity + /// AtlasEntity + /// + /// An instance of an entity - like hive_table, hive_database. + /// + /// + /// Schema for AtlasEntity: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// classifications + /// AtlasClassification[] + /// + /// An array of classifications. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// guid + /// string + /// + /// The GUID of the entity. + /// + /// + /// homeId + /// string + /// + /// The home ID of the entity. + /// + /// + /// meanings + /// AtlasTermAssignmentHeader[] + /// + /// An array of term assignment headers indicating the meanings of the entity. + /// + /// + /// provenanceType + /// number + /// + /// Used to record the provenance of an instance of an entity or relationship. + /// + /// + /// proxy + /// boolean + /// + /// Determines if there's a proxy. + /// + /// + /// relationshipAttributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of relationship. + /// + /// + /// status + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the entity. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// contacts + /// Dictionary<string, ContactBasic[]> + /// + /// The dictionary of contacts for terms. Key could be Expert or Owner. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for AtlasTermAssignmentHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// confidence + /// number + /// + /// The confidence of the term assignment. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// description + /// string + /// + /// The description of the term assignment. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// expression + /// string + /// + /// The expression of the term assignment. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// source + /// string + /// + /// The source of the term. + /// + /// + /// status + /// "DISCOVERED" | "PROPOSED" | "IMPORTED" | "VALIDATED" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of terms assignment. + /// + /// + /// steward + /// string + /// + /// The steward of the term. + /// + /// + /// termGuid + /// string + /// + /// The GUID of the term. + /// + /// + /// Schema for ContactBasic: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// Azure Active Directory object Id. + /// + /// + /// info + /// string + /// + /// additional information to describe this contact. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The name of the type. /// The request body. /// The qualified name of the entity. @@ -719,6 +3009,338 @@ public virtual async Task PartialUpdateEntityByUniqueAttrsAsync(string /// The REST request would look something like this: /// PUT /v2/entity/uniqueAttribute/type/aType?attr:aTypeAttribute=someValue. /// + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// referredEntities + /// Dictionary<string, AtlasEntity> + /// + /// The referred entities. + /// + /// + /// entity + /// AtlasEntity + /// + /// An instance of an entity - like hive_table, hive_database. + /// + /// + /// Schema for AtlasEntity: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// classifications + /// AtlasClassification[] + /// + /// An array of classifications. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// guid + /// string + /// + /// The GUID of the entity. + /// + /// + /// homeId + /// string + /// + /// The home ID of the entity. + /// + /// + /// meanings + /// AtlasTermAssignmentHeader[] + /// + /// An array of term assignment headers indicating the meanings of the entity. + /// + /// + /// provenanceType + /// number + /// + /// Used to record the provenance of an instance of an entity or relationship. + /// + /// + /// proxy + /// boolean + /// + /// Determines if there's a proxy. + /// + /// + /// relationshipAttributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of relationship. + /// + /// + /// status + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the entity. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// contacts + /// Dictionary<string, ContactBasic[]> + /// + /// The dictionary of contacts for terms. Key could be Expert or Owner. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for AtlasTermAssignmentHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// confidence + /// number + /// + /// The confidence of the term assignment. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// description + /// string + /// + /// The description of the term assignment. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// expression + /// string + /// + /// The expression of the term assignment. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// source + /// string + /// + /// The source of the term. + /// + /// + /// status + /// "DISCOVERED" | "PROPOSED" | "IMPORTED" | "VALIDATED" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of terms assignment. + /// + /// + /// steward + /// string + /// + /// The steward of the term. + /// + /// + /// termGuid + /// string + /// + /// The GUID of the term. + /// + /// + /// Schema for ContactBasic: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// Azure Active Directory object Id. + /// + /// + /// info + /// string + /// + /// additional information to describe this contact. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The name of the type. /// The request body. /// The qualified name of the entity. @@ -857,6 +3479,104 @@ private Request CreateDeleteClassificationByUniqueAttributeRequest(string typeNa } /// Add classification to the entity identified by its type and unique attributes. + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The name of the type. /// The request body. /// The qualified name of the entity. @@ -868,6 +3588,104 @@ public virtual async Task AddClassificationsByUniqueAttributeAsync(str } /// Add classification to the entity identified by its type and unique attributes. + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The name of the type. /// The request body. /// The qualified name of the entity. @@ -904,6 +3722,104 @@ private Request CreateAddClassificationsByUniqueAttributeRequest(string typeName } /// Update classification on an entity identified by its type and unique attributes. + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The name of the type. /// The request body. /// The qualified name of the entity. @@ -915,6 +3831,104 @@ public virtual async Task UpdateClassificationsByUniqueAttributeAsync( } /// Update classification on an entity identified by its type and unique attributes. + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The name of the type. /// The request body. /// The qualified name of the entity. @@ -951,6 +3965,257 @@ private Request CreateUpdateClassificationsByUniqueAttributeRequest(string typeN } /// Set classifications on entities in bulk. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// guidHeaderMap + /// Dictionary<string, AtlasEntityHeader> + /// + /// The description of the guid header map,. + /// + /// + /// Schema for AtlasEntityHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// classificationNames + /// string[] + /// + /// An array of classification names. + /// + /// + /// classifications + /// AtlasClassification[] + /// + /// An array of classifications. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// guid + /// string + /// + /// The GUID of the record. + /// + /// + /// meaningNames + /// string[] + /// + /// An array of meanings. + /// + /// + /// meanings + /// AtlasTermAssignmentHeader[] + /// + /// An array of term assignment headers. + /// + /// + /// status + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for AtlasTermAssignmentHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// confidence + /// number + /// + /// The confidence of the term assignment. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// description + /// string + /// + /// The description of the term assignment. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// expression + /// string + /// + /// The expression of the term assignment. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// source + /// string + /// + /// The source of the term. + /// + /// + /// status + /// "DISCOVERED" | "PROPOSED" | "IMPORTED" | "VALIDATED" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of terms assignment. + /// + /// + /// steward + /// string + /// + /// The steward of the term. + /// + /// + /// termGuid + /// string + /// + /// The GUID of the term. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual async Task SetClassificationsAsync(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -960,6 +4225,257 @@ public virtual async Task SetClassificationsAsync(RequestContent reque } /// Set classifications on entities in bulk. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// guidHeaderMap + /// Dictionary<string, AtlasEntityHeader> + /// + /// The description of the guid header map,. + /// + /// + /// Schema for AtlasEntityHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// classificationNames + /// string[] + /// + /// An array of classification names. + /// + /// + /// classifications + /// AtlasClassification[] + /// + /// An array of classifications. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// guid + /// string + /// + /// The GUID of the record. + /// + /// + /// meaningNames + /// string[] + /// + /// An array of meanings. + /// + /// + /// meanings + /// AtlasTermAssignmentHeader[] + /// + /// An array of term assignment headers. + /// + /// + /// status + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for AtlasTermAssignmentHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// confidence + /// number + /// + /// The confidence of the term assignment. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// description + /// string + /// + /// The description of the term assignment. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// expression + /// string + /// + /// The expression of the term assignment. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// source + /// string + /// + /// The source of the term. + /// + /// + /// status + /// "DISCOVERED" | "PROPOSED" | "IMPORTED" | "VALIDATED" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of terms assignment. + /// + /// + /// steward + /// string + /// + /// The steward of the term. + /// + /// + /// termGuid + /// string + /// + /// The GUID of the term. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual Response SetClassifications(RequestContent requestBody, CancellationToken cancellationToken = default) diff --git a/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/GlossaryRestClient.cs b/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/GlossaryRestClient.cs index 5b9b3117664e..e07454990aba 100644 --- a/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/GlossaryRestClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/GlossaryRestClient.cs @@ -104,6 +104,275 @@ private Request CreateGetGlossariesRequest(int? limit = null, int? offset = null } /// Create a glossary. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// classifications + /// AtlasClassification[] + /// + /// An array of classifications. + /// + /// + /// longDescription + /// string + /// + /// The long version description. + /// + /// + /// name + /// string + /// + /// The name of the glossary object. + /// + /// + /// qualifiedName + /// string + /// + /// The qualified name of the glossary object. + /// + /// + /// shortDescription + /// string + /// + /// The short version of description. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// categories + /// AtlasRelatedCategoryHeader[] + /// + /// An array of categories. + /// + /// + /// language + /// string + /// + /// The language of the glossary. + /// + /// + /// terms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers. + /// + /// + /// usage + /// string + /// + /// The usage of the glossary. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for AtlasRelatedCategoryHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// categoryGuid + /// string + /// + /// The GUID of the category. + /// + /// + /// description + /// string + /// + /// The description of the category header. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// parentCategoryGuid + /// string + /// + /// The GUID of the parent category. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// Schema for AtlasRelatedTermHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// description + /// string + /// + /// The description of the related term. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// expression + /// string + /// + /// The expression of the term. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// source + /// string + /// + /// The source of the term. + /// + /// + /// status + /// "DRAFT" | "ACTIVE" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of term relationship. + /// + /// + /// steward + /// string + /// + /// The steward of the term. + /// + /// + /// termGuid + /// string + /// + /// The GUID of the term. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual async Task CreateGlossaryAsync(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -113,6 +382,275 @@ public virtual async Task CreateGlossaryAsync(RequestContent requestBo } /// Create a glossary. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// classifications + /// AtlasClassification[] + /// + /// An array of classifications. + /// + /// + /// longDescription + /// string + /// + /// The long version description. + /// + /// + /// name + /// string + /// + /// The name of the glossary object. + /// + /// + /// qualifiedName + /// string + /// + /// The qualified name of the glossary object. + /// + /// + /// shortDescription + /// string + /// + /// The short version of description. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// categories + /// AtlasRelatedCategoryHeader[] + /// + /// An array of categories. + /// + /// + /// language + /// string + /// + /// The language of the glossary. + /// + /// + /// terms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers. + /// + /// + /// usage + /// string + /// + /// The usage of the glossary. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for AtlasRelatedCategoryHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// categoryGuid + /// string + /// + /// The GUID of the category. + /// + /// + /// description + /// string + /// + /// The description of the category header. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// parentCategoryGuid + /// string + /// + /// The GUID of the parent category. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// Schema for AtlasRelatedTermHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// description + /// string + /// + /// The description of the related term. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// expression + /// string + /// + /// The expression of the term. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// source + /// string + /// + /// The source of the term. + /// + /// + /// status + /// "DRAFT" | "ACTIVE" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of term relationship. + /// + /// + /// steward + /// string + /// + /// The steward of the term. + /// + /// + /// termGuid + /// string + /// + /// The GUID of the term. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual Response CreateGlossary(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -140,6 +678,302 @@ private Request CreateCreateGlossaryRequest(RequestContent requestBody) } /// Create glossary category in bulk. + /// + /// Schema for AtlasGlossaryCategory: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// classifications + /// AtlasClassification[] + /// + /// An array of classifications. + /// + /// + /// longDescription + /// string + /// + /// The long version description. + /// + /// + /// name + /// string + /// + /// The name of the glossary object. + /// + /// + /// qualifiedName + /// string + /// + /// The qualified name of the glossary object. + /// + /// + /// shortDescription + /// string + /// + /// The short version of description. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// anchor + /// AtlasGlossaryHeader + /// + /// The glossary header with basic information. + /// + /// + /// childrenCategories + /// AtlasRelatedCategoryHeader[] + /// + /// An array of children categories. + /// + /// + /// parentCategory + /// AtlasRelatedCategoryHeader + /// + /// The header of the related category. + /// + /// + /// terms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers. + /// + /// + /// Schema for AtlasGlossaryHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// glossaryGuid + /// string + /// + /// The GUID of the glossary. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// Schema for AtlasRelatedCategoryHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// categoryGuid + /// string + /// + /// The GUID of the category. + /// + /// + /// description + /// string + /// + /// The description of the category header. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// parentCategoryGuid + /// string + /// + /// The GUID of the parent category. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for AtlasRelatedTermHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// description + /// string + /// + /// The description of the related term. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// expression + /// string + /// + /// The expression of the term. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// source + /// string + /// + /// The source of the term. + /// + /// + /// status + /// "DRAFT" | "ACTIVE" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of term relationship. + /// + /// + /// steward + /// string + /// + /// The steward of the term. + /// + /// + /// termGuid + /// string + /// + /// The GUID of the term. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual async Task CreateGlossaryCategoriesAsync(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -149,6 +983,302 @@ public virtual async Task CreateGlossaryCategoriesAsync(RequestContent } /// Create glossary category in bulk. + /// + /// Schema for AtlasGlossaryCategory: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// classifications + /// AtlasClassification[] + /// + /// An array of classifications. + /// + /// + /// longDescription + /// string + /// + /// The long version description. + /// + /// + /// name + /// string + /// + /// The name of the glossary object. + /// + /// + /// qualifiedName + /// string + /// + /// The qualified name of the glossary object. + /// + /// + /// shortDescription + /// string + /// + /// The short version of description. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// anchor + /// AtlasGlossaryHeader + /// + /// The glossary header with basic information. + /// + /// + /// childrenCategories + /// AtlasRelatedCategoryHeader[] + /// + /// An array of children categories. + /// + /// + /// parentCategory + /// AtlasRelatedCategoryHeader + /// + /// The header of the related category. + /// + /// + /// terms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers. + /// + /// + /// Schema for AtlasGlossaryHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// glossaryGuid + /// string + /// + /// The GUID of the glossary. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// Schema for AtlasRelatedCategoryHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// categoryGuid + /// string + /// + /// The GUID of the category. + /// + /// + /// description + /// string + /// + /// The description of the category header. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// parentCategoryGuid + /// string + /// + /// The GUID of the parent category. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for AtlasRelatedTermHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// description + /// string + /// + /// The description of the related term. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// expression + /// string + /// + /// The expression of the term. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// source + /// string + /// + /// The source of the term. + /// + /// + /// status + /// "DRAFT" | "ACTIVE" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of term relationship. + /// + /// + /// steward + /// string + /// + /// The steward of the term. + /// + /// + /// termGuid + /// string + /// + /// The GUID of the term. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual Response CreateGlossaryCategories(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -176,6 +1306,302 @@ private Request CreateCreateGlossaryCategoriesRequest(RequestContent requestBody } /// Create a glossary category. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// classifications + /// AtlasClassification[] + /// + /// An array of classifications. + /// + /// + /// longDescription + /// string + /// + /// The long version description. + /// + /// + /// name + /// string + /// + /// The name of the glossary object. + /// + /// + /// qualifiedName + /// string + /// + /// The qualified name of the glossary object. + /// + /// + /// shortDescription + /// string + /// + /// The short version of description. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// anchor + /// AtlasGlossaryHeader + /// + /// The glossary header with basic information. + /// + /// + /// childrenCategories + /// AtlasRelatedCategoryHeader[] + /// + /// An array of children categories. + /// + /// + /// parentCategory + /// AtlasRelatedCategoryHeader + /// + /// The header of the related category. + /// + /// + /// terms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers. + /// + /// + /// Schema for AtlasGlossaryHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// glossaryGuid + /// string + /// + /// The GUID of the glossary. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// Schema for AtlasRelatedCategoryHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// categoryGuid + /// string + /// + /// The GUID of the category. + /// + /// + /// description + /// string + /// + /// The description of the category header. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// parentCategoryGuid + /// string + /// + /// The GUID of the parent category. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for AtlasRelatedTermHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// description + /// string + /// + /// The description of the related term. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// expression + /// string + /// + /// The expression of the term. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// source + /// string + /// + /// The source of the term. + /// + /// + /// status + /// "DRAFT" | "ACTIVE" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of term relationship. + /// + /// + /// steward + /// string + /// + /// The steward of the term. + /// + /// + /// termGuid + /// string + /// + /// The GUID of the term. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual async Task CreateGlossaryCategoryAsync(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -185,6 +1611,302 @@ public virtual async Task CreateGlossaryCategoryAsync(RequestContent r } /// Create a glossary category. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// classifications + /// AtlasClassification[] + /// + /// An array of classifications. + /// + /// + /// longDescription + /// string + /// + /// The long version description. + /// + /// + /// name + /// string + /// + /// The name of the glossary object. + /// + /// + /// qualifiedName + /// string + /// + /// The qualified name of the glossary object. + /// + /// + /// shortDescription + /// string + /// + /// The short version of description. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// anchor + /// AtlasGlossaryHeader + /// + /// The glossary header with basic information. + /// + /// + /// childrenCategories + /// AtlasRelatedCategoryHeader[] + /// + /// An array of children categories. + /// + /// + /// parentCategory + /// AtlasRelatedCategoryHeader + /// + /// The header of the related category. + /// + /// + /// terms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers. + /// + /// + /// Schema for AtlasGlossaryHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// glossaryGuid + /// string + /// + /// The GUID of the glossary. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// Schema for AtlasRelatedCategoryHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// categoryGuid + /// string + /// + /// The GUID of the category. + /// + /// + /// description + /// string + /// + /// The description of the category header. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// parentCategoryGuid + /// string + /// + /// The GUID of the parent category. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for AtlasRelatedTermHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// description + /// string + /// + /// The description of the related term. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// expression + /// string + /// + /// The expression of the term. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// source + /// string + /// + /// The source of the term. + /// + /// + /// status + /// "DRAFT" | "ACTIVE" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of term relationship. + /// + /// + /// steward + /// string + /// + /// The steward of the term. + /// + /// + /// termGuid + /// string + /// + /// The GUID of the term. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual Response CreateGlossaryCategory(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -247,6 +1969,302 @@ private Request CreateGetGlossaryCategoryRequest(string categoryGuid) } /// Update the given glossary category by its GUID. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// classifications + /// AtlasClassification[] + /// + /// An array of classifications. + /// + /// + /// longDescription + /// string + /// + /// The long version description. + /// + /// + /// name + /// string + /// + /// The name of the glossary object. + /// + /// + /// qualifiedName + /// string + /// + /// The qualified name of the glossary object. + /// + /// + /// shortDescription + /// string + /// + /// The short version of description. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// anchor + /// AtlasGlossaryHeader + /// + /// The glossary header with basic information. + /// + /// + /// childrenCategories + /// AtlasRelatedCategoryHeader[] + /// + /// An array of children categories. + /// + /// + /// parentCategory + /// AtlasRelatedCategoryHeader + /// + /// The header of the related category. + /// + /// + /// terms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers. + /// + /// + /// Schema for AtlasGlossaryHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// glossaryGuid + /// string + /// + /// The GUID of the glossary. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// Schema for AtlasRelatedCategoryHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// categoryGuid + /// string + /// + /// The GUID of the category. + /// + /// + /// description + /// string + /// + /// The description of the category header. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// parentCategoryGuid + /// string + /// + /// The GUID of the parent category. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for AtlasRelatedTermHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// description + /// string + /// + /// The description of the related term. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// expression + /// string + /// + /// The expression of the term. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// source + /// string + /// + /// The source of the term. + /// + /// + /// status + /// "DRAFT" | "ACTIVE" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of term relationship. + /// + /// + /// steward + /// string + /// + /// The steward of the term. + /// + /// + /// termGuid + /// string + /// + /// The GUID of the term. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The globally unique identifier of the category. /// The request body. /// The cancellation token to use. @@ -257,6 +2275,302 @@ public virtual async Task UpdateGlossaryCategoryAsync(string categoryG } /// Update the given glossary category by its GUID. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// classifications + /// AtlasClassification[] + /// + /// An array of classifications. + /// + /// + /// longDescription + /// string + /// + /// The long version description. + /// + /// + /// name + /// string + /// + /// The name of the glossary object. + /// + /// + /// qualifiedName + /// string + /// + /// The qualified name of the glossary object. + /// + /// + /// shortDescription + /// string + /// + /// The short version of description. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// anchor + /// AtlasGlossaryHeader + /// + /// The glossary header with basic information. + /// + /// + /// childrenCategories + /// AtlasRelatedCategoryHeader[] + /// + /// An array of children categories. + /// + /// + /// parentCategory + /// AtlasRelatedCategoryHeader + /// + /// The header of the related category. + /// + /// + /// terms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers. + /// + /// + /// Schema for AtlasGlossaryHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// glossaryGuid + /// string + /// + /// The GUID of the glossary. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// Schema for AtlasRelatedCategoryHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// categoryGuid + /// string + /// + /// The GUID of the category. + /// + /// + /// description + /// string + /// + /// The description of the category header. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// parentCategoryGuid + /// string + /// + /// The GUID of the parent category. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for AtlasRelatedTermHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// description + /// string + /// + /// The description of the related term. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// expression + /// string + /// + /// The expression of the term. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// source + /// string + /// + /// The source of the term. + /// + /// + /// status + /// "DRAFT" | "ACTIVE" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of term relationship. + /// + /// + /// steward + /// string + /// + /// The steward of the term. + /// + /// + /// termGuid + /// string + /// + /// The GUID of the term. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The globally unique identifier of the category. /// The request body. /// The cancellation token to use. @@ -476,6 +2790,581 @@ private Request CreateGetCategoryTermsRequest(string categoryGuid, int? limit = } /// Create a glossary term. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// classifications + /// AtlasClassification[] + /// + /// An array of classifications. + /// + /// + /// longDescription + /// string + /// + /// The long version description. + /// + /// + /// name + /// string + /// + /// The name of the glossary object. + /// + /// + /// qualifiedName + /// string + /// + /// The qualified name of the glossary object. + /// + /// + /// shortDescription + /// string + /// + /// The short version of description. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// abbreviation + /// string + /// + /// The abbreviation of the term. + /// + /// + /// templateName + /// AnyObject[] + /// + /// + /// + /// + /// anchor + /// AtlasGlossaryHeader + /// + /// The glossary header with basic information. + /// + /// + /// antonyms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers as antonyms. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// status + /// "Draft" | "Approved" | "Alert" | "Expired" + /// + /// Status of the AtlasGlossaryTerm. + /// + /// + /// resources + /// ResourceLink[] + /// + /// An array of resource link for term. + /// + /// + /// contacts + /// Dictionary<string, ContactBasic[]> + /// + /// The dictionary of contacts for terms. Key could be Expert or Steward. + /// + /// + /// attributes + /// Dictionary<string, Dictionary<string, AnyObject>> + /// + /// + /// The custom attributes of the term, which is map<string,map<string,object>>. + /// The key of the first layer map is term template name. + /// + /// + /// + /// assignedEntities + /// AtlasRelatedObjectId[] + /// + /// An array of related object IDs. + /// + /// + /// categories + /// AtlasTermCategorizationHeader[] + /// + /// An array of term categorization headers. + /// + /// + /// classifies + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers. + /// + /// + /// examples + /// string[] + /// + /// An array of examples. + /// + /// + /// isA + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers indicating the is-a relationship. + /// + /// + /// preferredTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of preferred related term headers. + /// + /// + /// preferredToTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers that are preferred to. + /// + /// + /// replacedBy + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers that are replaced by. + /// + /// + /// replacementTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers for replacement. + /// + /// + /// seeAlso + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers for see also. + /// + /// + /// synonyms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers as synonyms. + /// + /// + /// translatedTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of translated related term headers. + /// + /// + /// translationTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers for translation. + /// + /// + /// usage + /// string + /// + /// The usage of the term. + /// + /// + /// validValues + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers as valid values. + /// + /// + /// validValuesFor + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers as valid values for other records. + /// + /// + /// Schema for AtlasGlossaryHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// glossaryGuid + /// string + /// + /// The GUID of the glossary. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for AtlasRelatedTermHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// description + /// string + /// + /// The description of the related term. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// expression + /// string + /// + /// The expression of the term. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// source + /// string + /// + /// The source of the term. + /// + /// + /// status + /// "DRAFT" | "ACTIVE" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of term relationship. + /// + /// + /// steward + /// string + /// + /// The steward of the term. + /// + /// + /// termGuid + /// string + /// + /// The GUID of the term. + /// + /// + /// Schema for ResourceLink: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// displayName + /// string + /// + /// Display name for url. + /// + /// + /// url + /// string + /// + /// web url. http or https. + /// + /// + /// Schema for AtlasRelatedObjectId: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// uniqueAttributes + /// Dictionary<string, AnyObject> + /// + /// The unique attributes of the object. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// relationshipType + /// string + /// + /// + /// + /// + /// relationshipAttributes + /// AtlasStruct + /// + /// Captures details of struct contents. Not instantiated directly, used only via AtlasEntity, AtlasClassification. + /// + /// + /// relationshipGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// relationshipStatus + /// "ACTIVE" | "DELETED" + /// + /// The enum of relationship status. + /// + /// + /// Schema for AtlasTermCategorizationHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// categoryGuid + /// string + /// + /// The GUID of the category. + /// + /// + /// description + /// string + /// + /// The description of the record. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// status + /// "DRAFT" | "ACTIVE" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of term relationship. + /// + /// + /// Schema for ContactBasic: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// Azure Active Directory object Id. + /// + /// + /// info + /// string + /// + /// additional information to describe this contact. + /// + /// + /// Schema for AtlasStruct: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual async Task CreateGlossaryTermAsync(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -485,6 +3374,581 @@ public virtual async Task CreateGlossaryTermAsync(RequestContent reque } /// Create a glossary term. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// classifications + /// AtlasClassification[] + /// + /// An array of classifications. + /// + /// + /// longDescription + /// string + /// + /// The long version description. + /// + /// + /// name + /// string + /// + /// The name of the glossary object. + /// + /// + /// qualifiedName + /// string + /// + /// The qualified name of the glossary object. + /// + /// + /// shortDescription + /// string + /// + /// The short version of description. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// abbreviation + /// string + /// + /// The abbreviation of the term. + /// + /// + /// templateName + /// AnyObject[] + /// + /// + /// + /// + /// anchor + /// AtlasGlossaryHeader + /// + /// The glossary header with basic information. + /// + /// + /// antonyms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers as antonyms. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// status + /// "Draft" | "Approved" | "Alert" | "Expired" + /// + /// Status of the AtlasGlossaryTerm. + /// + /// + /// resources + /// ResourceLink[] + /// + /// An array of resource link for term. + /// + /// + /// contacts + /// Dictionary<string, ContactBasic[]> + /// + /// The dictionary of contacts for terms. Key could be Expert or Steward. + /// + /// + /// attributes + /// Dictionary<string, Dictionary<string, AnyObject>> + /// + /// + /// The custom attributes of the term, which is map<string,map<string,object>>. + /// The key of the first layer map is term template name. + /// + /// + /// + /// assignedEntities + /// AtlasRelatedObjectId[] + /// + /// An array of related object IDs. + /// + /// + /// categories + /// AtlasTermCategorizationHeader[] + /// + /// An array of term categorization headers. + /// + /// + /// classifies + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers. + /// + /// + /// examples + /// string[] + /// + /// An array of examples. + /// + /// + /// isA + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers indicating the is-a relationship. + /// + /// + /// preferredTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of preferred related term headers. + /// + /// + /// preferredToTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers that are preferred to. + /// + /// + /// replacedBy + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers that are replaced by. + /// + /// + /// replacementTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers for replacement. + /// + /// + /// seeAlso + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers for see also. + /// + /// + /// synonyms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers as synonyms. + /// + /// + /// translatedTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of translated related term headers. + /// + /// + /// translationTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers for translation. + /// + /// + /// usage + /// string + /// + /// The usage of the term. + /// + /// + /// validValues + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers as valid values. + /// + /// + /// validValuesFor + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers as valid values for other records. + /// + /// + /// Schema for AtlasGlossaryHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// glossaryGuid + /// string + /// + /// The GUID of the glossary. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for AtlasRelatedTermHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// description + /// string + /// + /// The description of the related term. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// expression + /// string + /// + /// The expression of the term. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// source + /// string + /// + /// The source of the term. + /// + /// + /// status + /// "DRAFT" | "ACTIVE" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of term relationship. + /// + /// + /// steward + /// string + /// + /// The steward of the term. + /// + /// + /// termGuid + /// string + /// + /// The GUID of the term. + /// + /// + /// Schema for ResourceLink: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// displayName + /// string + /// + /// Display name for url. + /// + /// + /// url + /// string + /// + /// web url. http or https. + /// + /// + /// Schema for AtlasRelatedObjectId: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// uniqueAttributes + /// Dictionary<string, AnyObject> + /// + /// The unique attributes of the object. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// relationshipType + /// string + /// + /// + /// + /// + /// relationshipAttributes + /// AtlasStruct + /// + /// Captures details of struct contents. Not instantiated directly, used only via AtlasEntity, AtlasClassification. + /// + /// + /// relationshipGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// relationshipStatus + /// "ACTIVE" | "DELETED" + /// + /// The enum of relationship status. + /// + /// + /// Schema for AtlasTermCategorizationHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// categoryGuid + /// string + /// + /// The GUID of the category. + /// + /// + /// description + /// string + /// + /// The description of the record. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// status + /// "DRAFT" | "ACTIVE" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of term relationship. + /// + /// + /// Schema for ContactBasic: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// Azure Active Directory object Id. + /// + /// + /// info + /// string + /// + /// additional information to describe this contact. + /// + /// + /// Schema for AtlasStruct: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual Response CreateGlossaryTerm(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -547,6 +4011,581 @@ private Request CreateGetGlossaryTermRequest(string termGuid) } /// Update the given glossary term by its GUID. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// classifications + /// AtlasClassification[] + /// + /// An array of classifications. + /// + /// + /// longDescription + /// string + /// + /// The long version description. + /// + /// + /// name + /// string + /// + /// The name of the glossary object. + /// + /// + /// qualifiedName + /// string + /// + /// The qualified name of the glossary object. + /// + /// + /// shortDescription + /// string + /// + /// The short version of description. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// abbreviation + /// string + /// + /// The abbreviation of the term. + /// + /// + /// templateName + /// AnyObject[] + /// + /// + /// + /// + /// anchor + /// AtlasGlossaryHeader + /// + /// The glossary header with basic information. + /// + /// + /// antonyms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers as antonyms. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// status + /// "Draft" | "Approved" | "Alert" | "Expired" + /// + /// Status of the AtlasGlossaryTerm. + /// + /// + /// resources + /// ResourceLink[] + /// + /// An array of resource link for term. + /// + /// + /// contacts + /// Dictionary<string, ContactBasic[]> + /// + /// The dictionary of contacts for terms. Key could be Expert or Steward. + /// + /// + /// attributes + /// Dictionary<string, Dictionary<string, AnyObject>> + /// + /// + /// The custom attributes of the term, which is map<string,map<string,object>>. + /// The key of the first layer map is term template name. + /// + /// + /// + /// assignedEntities + /// AtlasRelatedObjectId[] + /// + /// An array of related object IDs. + /// + /// + /// categories + /// AtlasTermCategorizationHeader[] + /// + /// An array of term categorization headers. + /// + /// + /// classifies + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers. + /// + /// + /// examples + /// string[] + /// + /// An array of examples. + /// + /// + /// isA + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers indicating the is-a relationship. + /// + /// + /// preferredTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of preferred related term headers. + /// + /// + /// preferredToTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers that are preferred to. + /// + /// + /// replacedBy + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers that are replaced by. + /// + /// + /// replacementTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers for replacement. + /// + /// + /// seeAlso + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers for see also. + /// + /// + /// synonyms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers as synonyms. + /// + /// + /// translatedTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of translated related term headers. + /// + /// + /// translationTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers for translation. + /// + /// + /// usage + /// string + /// + /// The usage of the term. + /// + /// + /// validValues + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers as valid values. + /// + /// + /// validValuesFor + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers as valid values for other records. + /// + /// + /// Schema for AtlasGlossaryHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// glossaryGuid + /// string + /// + /// The GUID of the glossary. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for AtlasRelatedTermHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// description + /// string + /// + /// The description of the related term. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// expression + /// string + /// + /// The expression of the term. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// source + /// string + /// + /// The source of the term. + /// + /// + /// status + /// "DRAFT" | "ACTIVE" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of term relationship. + /// + /// + /// steward + /// string + /// + /// The steward of the term. + /// + /// + /// termGuid + /// string + /// + /// The GUID of the term. + /// + /// + /// Schema for ResourceLink: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// displayName + /// string + /// + /// Display name for url. + /// + /// + /// url + /// string + /// + /// web url. http or https. + /// + /// + /// Schema for AtlasRelatedObjectId: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// uniqueAttributes + /// Dictionary<string, AnyObject> + /// + /// The unique attributes of the object. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// relationshipType + /// string + /// + /// + /// + /// + /// relationshipAttributes + /// AtlasStruct + /// + /// Captures details of struct contents. Not instantiated directly, used only via AtlasEntity, AtlasClassification. + /// + /// + /// relationshipGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// relationshipStatus + /// "ACTIVE" | "DELETED" + /// + /// The enum of relationship status. + /// + /// + /// Schema for AtlasTermCategorizationHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// categoryGuid + /// string + /// + /// The GUID of the category. + /// + /// + /// description + /// string + /// + /// The description of the record. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// status + /// "DRAFT" | "ACTIVE" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of term relationship. + /// + /// + /// Schema for ContactBasic: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// Azure Active Directory object Id. + /// + /// + /// info + /// string + /// + /// additional information to describe this contact. + /// + /// + /// Schema for AtlasStruct: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The globally unique identifier for glossary term. /// The request body. /// The cancellation token to use. @@ -557,6 +4596,581 @@ public virtual async Task UpdateGlossaryTermAsync(string termGuid, Req } /// Update the given glossary term by its GUID. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// classifications + /// AtlasClassification[] + /// + /// An array of classifications. + /// + /// + /// longDescription + /// string + /// + /// The long version description. + /// + /// + /// name + /// string + /// + /// The name of the glossary object. + /// + /// + /// qualifiedName + /// string + /// + /// The qualified name of the glossary object. + /// + /// + /// shortDescription + /// string + /// + /// The short version of description. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// abbreviation + /// string + /// + /// The abbreviation of the term. + /// + /// + /// templateName + /// AnyObject[] + /// + /// + /// + /// + /// anchor + /// AtlasGlossaryHeader + /// + /// The glossary header with basic information. + /// + /// + /// antonyms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers as antonyms. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// status + /// "Draft" | "Approved" | "Alert" | "Expired" + /// + /// Status of the AtlasGlossaryTerm. + /// + /// + /// resources + /// ResourceLink[] + /// + /// An array of resource link for term. + /// + /// + /// contacts + /// Dictionary<string, ContactBasic[]> + /// + /// The dictionary of contacts for terms. Key could be Expert or Steward. + /// + /// + /// attributes + /// Dictionary<string, Dictionary<string, AnyObject>> + /// + /// + /// The custom attributes of the term, which is map<string,map<string,object>>. + /// The key of the first layer map is term template name. + /// + /// + /// + /// assignedEntities + /// AtlasRelatedObjectId[] + /// + /// An array of related object IDs. + /// + /// + /// categories + /// AtlasTermCategorizationHeader[] + /// + /// An array of term categorization headers. + /// + /// + /// classifies + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers. + /// + /// + /// examples + /// string[] + /// + /// An array of examples. + /// + /// + /// isA + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers indicating the is-a relationship. + /// + /// + /// preferredTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of preferred related term headers. + /// + /// + /// preferredToTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers that are preferred to. + /// + /// + /// replacedBy + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers that are replaced by. + /// + /// + /// replacementTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers for replacement. + /// + /// + /// seeAlso + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers for see also. + /// + /// + /// synonyms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers as synonyms. + /// + /// + /// translatedTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of translated related term headers. + /// + /// + /// translationTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers for translation. + /// + /// + /// usage + /// string + /// + /// The usage of the term. + /// + /// + /// validValues + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers as valid values. + /// + /// + /// validValuesFor + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers as valid values for other records. + /// + /// + /// Schema for AtlasGlossaryHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// glossaryGuid + /// string + /// + /// The GUID of the glossary. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for AtlasRelatedTermHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// description + /// string + /// + /// The description of the related term. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// expression + /// string + /// + /// The expression of the term. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// source + /// string + /// + /// The source of the term. + /// + /// + /// status + /// "DRAFT" | "ACTIVE" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of term relationship. + /// + /// + /// steward + /// string + /// + /// The steward of the term. + /// + /// + /// termGuid + /// string + /// + /// The GUID of the term. + /// + /// + /// Schema for ResourceLink: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// displayName + /// string + /// + /// Display name for url. + /// + /// + /// url + /// string + /// + /// web url. http or https. + /// + /// + /// Schema for AtlasRelatedObjectId: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// uniqueAttributes + /// Dictionary<string, AnyObject> + /// + /// The unique attributes of the object. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// relationshipType + /// string + /// + /// + /// + /// + /// relationshipAttributes + /// AtlasStruct + /// + /// Captures details of struct contents. Not instantiated directly, used only via AtlasEntity, AtlasClassification. + /// + /// + /// relationshipGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// relationshipStatus + /// "ACTIVE" | "DELETED" + /// + /// The enum of relationship status. + /// + /// + /// Schema for AtlasTermCategorizationHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// categoryGuid + /// string + /// + /// The GUID of the category. + /// + /// + /// description + /// string + /// + /// The description of the record. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// status + /// "DRAFT" | "ACTIVE" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of term relationship. + /// + /// + /// Schema for ContactBasic: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// Azure Active Directory object Id. + /// + /// + /// info + /// string + /// + /// additional information to describe this contact. + /// + /// + /// Schema for AtlasStruct: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The globally unique identifier for glossary term. /// The request body. /// The cancellation token to use. @@ -662,6 +5276,581 @@ private Request CreatePartialUpdateGlossaryTermRequest(string termGuid, RequestC } /// Create glossary terms in bulk. + /// + /// Schema for AtlasGlossaryTerm: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// classifications + /// AtlasClassification[] + /// + /// An array of classifications. + /// + /// + /// longDescription + /// string + /// + /// The long version description. + /// + /// + /// name + /// string + /// + /// The name of the glossary object. + /// + /// + /// qualifiedName + /// string + /// + /// The qualified name of the glossary object. + /// + /// + /// shortDescription + /// string + /// + /// The short version of description. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// abbreviation + /// string + /// + /// The abbreviation of the term. + /// + /// + /// templateName + /// AnyObject[] + /// + /// + /// + /// + /// anchor + /// AtlasGlossaryHeader + /// + /// The glossary header with basic information. + /// + /// + /// antonyms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers as antonyms. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// status + /// "Draft" | "Approved" | "Alert" | "Expired" + /// + /// Status of the AtlasGlossaryTerm. + /// + /// + /// resources + /// ResourceLink[] + /// + /// An array of resource link for term. + /// + /// + /// contacts + /// Dictionary<string, ContactBasic[]> + /// + /// The dictionary of contacts for terms. Key could be Expert or Steward. + /// + /// + /// attributes + /// Dictionary<string, Dictionary<string, AnyObject>> + /// + /// + /// The custom attributes of the term, which is map<string,map<string,object>>. + /// The key of the first layer map is term template name. + /// + /// + /// + /// assignedEntities + /// AtlasRelatedObjectId[] + /// + /// An array of related object IDs. + /// + /// + /// categories + /// AtlasTermCategorizationHeader[] + /// + /// An array of term categorization headers. + /// + /// + /// classifies + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers. + /// + /// + /// examples + /// string[] + /// + /// An array of examples. + /// + /// + /// isA + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers indicating the is-a relationship. + /// + /// + /// preferredTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of preferred related term headers. + /// + /// + /// preferredToTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers that are preferred to. + /// + /// + /// replacedBy + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers that are replaced by. + /// + /// + /// replacementTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers for replacement. + /// + /// + /// seeAlso + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers for see also. + /// + /// + /// synonyms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers as synonyms. + /// + /// + /// translatedTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of translated related term headers. + /// + /// + /// translationTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers for translation. + /// + /// + /// usage + /// string + /// + /// The usage of the term. + /// + /// + /// validValues + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers as valid values. + /// + /// + /// validValuesFor + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers as valid values for other records. + /// + /// + /// Schema for AtlasGlossaryHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// glossaryGuid + /// string + /// + /// The GUID of the glossary. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for AtlasRelatedTermHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// description + /// string + /// + /// The description of the related term. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// expression + /// string + /// + /// The expression of the term. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// source + /// string + /// + /// The source of the term. + /// + /// + /// status + /// "DRAFT" | "ACTIVE" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of term relationship. + /// + /// + /// steward + /// string + /// + /// The steward of the term. + /// + /// + /// termGuid + /// string + /// + /// The GUID of the term. + /// + /// + /// Schema for ResourceLink: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// displayName + /// string + /// + /// Display name for url. + /// + /// + /// url + /// string + /// + /// web url. http or https. + /// + /// + /// Schema for AtlasRelatedObjectId: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// uniqueAttributes + /// Dictionary<string, AnyObject> + /// + /// The unique attributes of the object. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// relationshipType + /// string + /// + /// + /// + /// + /// relationshipAttributes + /// AtlasStruct + /// + /// Captures details of struct contents. Not instantiated directly, used only via AtlasEntity, AtlasClassification. + /// + /// + /// relationshipGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// relationshipStatus + /// "ACTIVE" | "DELETED" + /// + /// The enum of relationship status. + /// + /// + /// Schema for AtlasTermCategorizationHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// categoryGuid + /// string + /// + /// The GUID of the category. + /// + /// + /// description + /// string + /// + /// The description of the record. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// status + /// "DRAFT" | "ACTIVE" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of term relationship. + /// + /// + /// Schema for ContactBasic: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// Azure Active Directory object Id. + /// + /// + /// info + /// string + /// + /// additional information to describe this contact. + /// + /// + /// Schema for AtlasStruct: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual async Task CreateGlossaryTermsAsync(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -671,6 +5860,581 @@ public virtual async Task CreateGlossaryTermsAsync(RequestContent requ } /// Create glossary terms in bulk. + /// + /// Schema for AtlasGlossaryTerm: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// classifications + /// AtlasClassification[] + /// + /// An array of classifications. + /// + /// + /// longDescription + /// string + /// + /// The long version description. + /// + /// + /// name + /// string + /// + /// The name of the glossary object. + /// + /// + /// qualifiedName + /// string + /// + /// The qualified name of the glossary object. + /// + /// + /// shortDescription + /// string + /// + /// The short version of description. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// abbreviation + /// string + /// + /// The abbreviation of the term. + /// + /// + /// templateName + /// AnyObject[] + /// + /// + /// + /// + /// anchor + /// AtlasGlossaryHeader + /// + /// The glossary header with basic information. + /// + /// + /// antonyms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers as antonyms. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// status + /// "Draft" | "Approved" | "Alert" | "Expired" + /// + /// Status of the AtlasGlossaryTerm. + /// + /// + /// resources + /// ResourceLink[] + /// + /// An array of resource link for term. + /// + /// + /// contacts + /// Dictionary<string, ContactBasic[]> + /// + /// The dictionary of contacts for terms. Key could be Expert or Steward. + /// + /// + /// attributes + /// Dictionary<string, Dictionary<string, AnyObject>> + /// + /// + /// The custom attributes of the term, which is map<string,map<string,object>>. + /// The key of the first layer map is term template name. + /// + /// + /// + /// assignedEntities + /// AtlasRelatedObjectId[] + /// + /// An array of related object IDs. + /// + /// + /// categories + /// AtlasTermCategorizationHeader[] + /// + /// An array of term categorization headers. + /// + /// + /// classifies + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers. + /// + /// + /// examples + /// string[] + /// + /// An array of examples. + /// + /// + /// isA + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers indicating the is-a relationship. + /// + /// + /// preferredTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of preferred related term headers. + /// + /// + /// preferredToTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers that are preferred to. + /// + /// + /// replacedBy + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers that are replaced by. + /// + /// + /// replacementTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers for replacement. + /// + /// + /// seeAlso + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers for see also. + /// + /// + /// synonyms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers as synonyms. + /// + /// + /// translatedTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of translated related term headers. + /// + /// + /// translationTerms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers for translation. + /// + /// + /// usage + /// string + /// + /// The usage of the term. + /// + /// + /// validValues + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers as valid values. + /// + /// + /// validValuesFor + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers as valid values for other records. + /// + /// + /// Schema for AtlasGlossaryHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// glossaryGuid + /// string + /// + /// The GUID of the glossary. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for AtlasRelatedTermHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// description + /// string + /// + /// The description of the related term. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// expression + /// string + /// + /// The expression of the term. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// source + /// string + /// + /// The source of the term. + /// + /// + /// status + /// "DRAFT" | "ACTIVE" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of term relationship. + /// + /// + /// steward + /// string + /// + /// The steward of the term. + /// + /// + /// termGuid + /// string + /// + /// The GUID of the term. + /// + /// + /// Schema for ResourceLink: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// displayName + /// string + /// + /// Display name for url. + /// + /// + /// url + /// string + /// + /// web url. http or https. + /// + /// + /// Schema for AtlasRelatedObjectId: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// uniqueAttributes + /// Dictionary<string, AnyObject> + /// + /// The unique attributes of the object. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// relationshipType + /// string + /// + /// + /// + /// + /// relationshipAttributes + /// AtlasStruct + /// + /// Captures details of struct contents. Not instantiated directly, used only via AtlasEntity, AtlasClassification. + /// + /// + /// relationshipGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// relationshipStatus + /// "ACTIVE" | "DELETED" + /// + /// The enum of relationship status. + /// + /// + /// Schema for AtlasTermCategorizationHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// categoryGuid + /// string + /// + /// The GUID of the category. + /// + /// + /// description + /// string + /// + /// The description of the record. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// status + /// "DRAFT" | "ACTIVE" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of term relationship. + /// + /// + /// Schema for ContactBasic: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// Azure Active Directory object Id. + /// + /// + /// info + /// string + /// + /// additional information to describe this contact. + /// + /// + /// Schema for AtlasStruct: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual Response CreateGlossaryTerms(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -755,6 +6519,98 @@ private Request CreateGetEntitiesAssignedWithTermRequest(string termGuid, int? l } /// Assign the given term to the provided list of related objects. + /// + /// Schema for AtlasRelatedObjectId: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// uniqueAttributes + /// Dictionary<string, AnyObject> + /// + /// The unique attributes of the object. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// relationshipType + /// string + /// + /// + /// + /// + /// relationshipAttributes + /// AtlasStruct + /// + /// Captures details of struct contents. Not instantiated directly, used only via AtlasEntity, AtlasClassification. + /// + /// + /// relationshipGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// relationshipStatus + /// "ACTIVE" | "DELETED" + /// + /// The enum of relationship status. + /// + /// + /// Schema for AtlasStruct: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// /// The globally unique identifier for glossary term. /// The request body. /// The cancellation token to use. @@ -765,6 +6621,98 @@ public virtual async Task AssignTermToEntitiesAsync(string termGuid, R } /// Assign the given term to the provided list of related objects. + /// + /// Schema for AtlasRelatedObjectId: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// uniqueAttributes + /// Dictionary<string, AnyObject> + /// + /// The unique attributes of the object. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// relationshipType + /// string + /// + /// + /// + /// + /// relationshipAttributes + /// AtlasStruct + /// + /// Captures details of struct contents. Not instantiated directly, used only via AtlasEntity, AtlasClassification. + /// + /// + /// relationshipGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// relationshipStatus + /// "ACTIVE" | "DELETED" + /// + /// The enum of relationship status. + /// + /// + /// Schema for AtlasStruct: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// /// The globally unique identifier for glossary term. /// The request body. /// The cancellation token to use. @@ -795,6 +6743,98 @@ private Request CreateAssignTermToEntitiesRequest(string termGuid, RequestConten } /// Delete the term assignment for the given list of related objects. + /// + /// Schema for AtlasRelatedObjectId: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// uniqueAttributes + /// Dictionary<string, AnyObject> + /// + /// The unique attributes of the object. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// relationshipType + /// string + /// + /// + /// + /// + /// relationshipAttributes + /// AtlasStruct + /// + /// Captures details of struct contents. Not instantiated directly, used only via AtlasEntity, AtlasClassification. + /// + /// + /// relationshipGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// relationshipStatus + /// "ACTIVE" | "DELETED" + /// + /// The enum of relationship status. + /// + /// + /// Schema for AtlasStruct: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// /// The globally unique identifier for glossary term. /// The request body. /// The cancellation token to use. @@ -805,6 +6845,98 @@ public virtual async Task RemoveTermAssignmentFromEntitiesAsync(string } /// Delete the term assignment for the given list of related objects. + /// + /// Schema for AtlasRelatedObjectId: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// uniqueAttributes + /// Dictionary<string, AnyObject> + /// + /// The unique attributes of the object. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// relationshipType + /// string + /// + /// + /// + /// + /// relationshipAttributes + /// AtlasStruct + /// + /// Captures details of struct contents. Not instantiated directly, used only via AtlasEntity, AtlasClassification. + /// + /// + /// relationshipGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// relationshipStatus + /// "ACTIVE" | "DELETED" + /// + /// The enum of relationship status. + /// + /// + /// Schema for AtlasStruct: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// /// The globally unique identifier for glossary term. /// The request body. /// The cancellation token to use. @@ -835,6 +6967,98 @@ private Request CreateRemoveTermAssignmentFromEntitiesRequest(string termGuid, R } /// Delete the term assignment for the given list of related objects. + /// + /// Schema for AtlasRelatedObjectId: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// uniqueAttributes + /// Dictionary<string, AnyObject> + /// + /// The unique attributes of the object. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// relationshipType + /// string + /// + /// + /// + /// + /// relationshipAttributes + /// AtlasStruct + /// + /// Captures details of struct contents. Not instantiated directly, used only via AtlasEntity, AtlasClassification. + /// + /// + /// relationshipGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// relationshipStatus + /// "ACTIVE" | "DELETED" + /// + /// The enum of relationship status. + /// + /// + /// Schema for AtlasStruct: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// /// The globally unique identifier for glossary term. /// The request body. /// The cancellation token to use. @@ -845,6 +7069,98 @@ public virtual async Task DeleteTermAssignmentFromEntitiesAsync(string } /// Delete the term assignment for the given list of related objects. + /// + /// Schema for AtlasRelatedObjectId: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// uniqueAttributes + /// Dictionary<string, AnyObject> + /// + /// The unique attributes of the object. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// relationshipType + /// string + /// + /// + /// + /// + /// relationshipAttributes + /// AtlasStruct + /// + /// Captures details of struct contents. Not instantiated directly, used only via AtlasEntity, AtlasClassification. + /// + /// + /// relationshipGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// relationshipStatus + /// "ACTIVE" | "DELETED" + /// + /// The enum of relationship status. + /// + /// + /// Schema for AtlasStruct: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// /// The globally unique identifier for glossary term. /// The request body. /// The cancellation token to use. @@ -967,6 +7283,275 @@ private Request CreateGetGlossaryRequest(string glossaryGuid) } /// Update the given glossary. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// classifications + /// AtlasClassification[] + /// + /// An array of classifications. + /// + /// + /// longDescription + /// string + /// + /// The long version description. + /// + /// + /// name + /// string + /// + /// The name of the glossary object. + /// + /// + /// qualifiedName + /// string + /// + /// The qualified name of the glossary object. + /// + /// + /// shortDescription + /// string + /// + /// The short version of description. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// categories + /// AtlasRelatedCategoryHeader[] + /// + /// An array of categories. + /// + /// + /// language + /// string + /// + /// The language of the glossary. + /// + /// + /// terms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers. + /// + /// + /// usage + /// string + /// + /// The usage of the glossary. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for AtlasRelatedCategoryHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// categoryGuid + /// string + /// + /// The GUID of the category. + /// + /// + /// description + /// string + /// + /// The description of the category header. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// parentCategoryGuid + /// string + /// + /// The GUID of the parent category. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// Schema for AtlasRelatedTermHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// description + /// string + /// + /// The description of the related term. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// expression + /// string + /// + /// The expression of the term. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// source + /// string + /// + /// The source of the term. + /// + /// + /// status + /// "DRAFT" | "ACTIVE" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of term relationship. + /// + /// + /// steward + /// string + /// + /// The steward of the term. + /// + /// + /// termGuid + /// string + /// + /// The GUID of the term. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The globally unique identifier for glossary. /// The request body. /// The cancellation token to use. @@ -977,6 +7562,275 @@ public virtual async Task UpdateGlossaryAsync(string glossaryGuid, Req } /// Update the given glossary. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// classifications + /// AtlasClassification[] + /// + /// An array of classifications. + /// + /// + /// longDescription + /// string + /// + /// The long version description. + /// + /// + /// name + /// string + /// + /// The name of the glossary object. + /// + /// + /// qualifiedName + /// string + /// + /// The qualified name of the glossary object. + /// + /// + /// shortDescription + /// string + /// + /// The short version of description. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// categories + /// AtlasRelatedCategoryHeader[] + /// + /// An array of categories. + /// + /// + /// language + /// string + /// + /// The language of the glossary. + /// + /// + /// terms + /// AtlasRelatedTermHeader[] + /// + /// An array of related term headers. + /// + /// + /// usage + /// string + /// + /// The usage of the glossary. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for AtlasRelatedCategoryHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// categoryGuid + /// string + /// + /// The GUID of the category. + /// + /// + /// description + /// string + /// + /// The description of the category header. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// parentCategoryGuid + /// string + /// + /// The GUID of the parent category. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// Schema for AtlasRelatedTermHeader: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// description + /// string + /// + /// The description of the related term. + /// + /// + /// displayText + /// string + /// + /// The display text. + /// + /// + /// expression + /// string + /// + /// The expression of the term. + /// + /// + /// relationGuid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// source + /// string + /// + /// The source of the term. + /// + /// + /// status + /// "DRAFT" | "ACTIVE" | "DEPRECATED" | "OBSOLETE" | "OTHER" + /// + /// The status of term relationship. + /// + /// + /// steward + /// string + /// + /// The steward of the term. + /// + /// + /// termGuid + /// string + /// + /// The GUID of the term. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The globally unique identifier for glossary. /// The request body. /// The cancellation token to use. diff --git a/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/RelationshipRestClient.cs b/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/RelationshipRestClient.cs index aa92dc58a806..a4ffacc4c53c 100644 --- a/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/RelationshipRestClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/RelationshipRestClient.cs @@ -52,6 +52,265 @@ public RelationshipRestClient(Uri endpoint, TokenCredential credential, CatalogC } /// Create a new relationship between entities. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// blockedPropagatedClassifications + /// AtlasClassification[] + /// + /// An array of blocked propagated classifications. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// end1 + /// AtlasObjectId + /// + /// Reference to an object-instance of an Atlas type - like entity. + /// + /// + /// end2 + /// AtlasObjectId + /// + /// Reference to an object-instance of an Atlas type - like entity. + /// + /// + /// guid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// homeId + /// string + /// + /// The home ID of the relationship. + /// + /// + /// label + /// string + /// + /// The label of the relationship. + /// + /// + /// propagateTags + /// "NONE" | "ONE_TO_TWO" | "TWO_TO_ONE" | "BOTH" + /// + /// + /// PropagateTags indicates whether tags should propagate across the relationship instance. + /// <p> + /// Tags can propagate: + /// <p> + /// NONE - not at all <br> + /// ONE_TO_TWO - from end 1 to 2 <br> + /// TWO_TO_ONE - from end 2 to 1 <br> + /// BOTH - both ways + /// <p> + /// Care needs to be taken when specifying. The use cases we are aware of where this flag is useful: + /// <p> + /// - propagating confidentiality classifications from a table to columns - ONE_TO_TWO could be used here <br> + /// - propagating classifications around Glossary synonyms - BOTH could be used here. + /// <p> + /// There is an expectation that further enhancements will allow more granular control of tag propagation and will + /// address how to resolve conflicts. + /// + /// + /// + /// propagatedClassifications + /// AtlasClassification[] + /// + /// An array of propagated classifications. + /// + /// + /// provenanceType + /// number + /// + /// Used to record the provenance of an instance of an entity or relationship. + /// + /// + /// status + /// "ACTIVE" | "DELETED" + /// + /// The enum of relationship status. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the relationship. + /// + /// + /// Schema for AtlasObjectId: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// uniqueAttributes + /// Dictionary<string, AnyObject> + /// + /// The unique attributes of the object. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual async Task CreateAsync(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -61,6 +320,265 @@ public virtual async Task CreateAsync(RequestContent requestBody, Canc } /// Create a new relationship between entities. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// blockedPropagatedClassifications + /// AtlasClassification[] + /// + /// An array of blocked propagated classifications. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// end1 + /// AtlasObjectId + /// + /// Reference to an object-instance of an Atlas type - like entity. + /// + /// + /// end2 + /// AtlasObjectId + /// + /// Reference to an object-instance of an Atlas type - like entity. + /// + /// + /// guid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// homeId + /// string + /// + /// The home ID of the relationship. + /// + /// + /// label + /// string + /// + /// The label of the relationship. + /// + /// + /// propagateTags + /// "NONE" | "ONE_TO_TWO" | "TWO_TO_ONE" | "BOTH" + /// + /// + /// PropagateTags indicates whether tags should propagate across the relationship instance. + /// <p> + /// Tags can propagate: + /// <p> + /// NONE - not at all <br> + /// ONE_TO_TWO - from end 1 to 2 <br> + /// TWO_TO_ONE - from end 2 to 1 <br> + /// BOTH - both ways + /// <p> + /// Care needs to be taken when specifying. The use cases we are aware of where this flag is useful: + /// <p> + /// - propagating confidentiality classifications from a table to columns - ONE_TO_TWO could be used here <br> + /// - propagating classifications around Glossary synonyms - BOTH could be used here. + /// <p> + /// There is an expectation that further enhancements will allow more granular control of tag propagation and will + /// address how to resolve conflicts. + /// + /// + /// + /// propagatedClassifications + /// AtlasClassification[] + /// + /// An array of propagated classifications. + /// + /// + /// provenanceType + /// number + /// + /// Used to record the provenance of an instance of an entity or relationship. + /// + /// + /// status + /// "ACTIVE" | "DELETED" + /// + /// The enum of relationship status. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the relationship. + /// + /// + /// Schema for AtlasObjectId: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// uniqueAttributes + /// Dictionary<string, AnyObject> + /// + /// The unique attributes of the object. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual Response Create(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -88,6 +606,265 @@ private Request CreateCreateRequest(RequestContent requestBody) } /// Update an existing relationship between entities. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// blockedPropagatedClassifications + /// AtlasClassification[] + /// + /// An array of blocked propagated classifications. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// end1 + /// AtlasObjectId + /// + /// Reference to an object-instance of an Atlas type - like entity. + /// + /// + /// end2 + /// AtlasObjectId + /// + /// Reference to an object-instance of an Atlas type - like entity. + /// + /// + /// guid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// homeId + /// string + /// + /// The home ID of the relationship. + /// + /// + /// label + /// string + /// + /// The label of the relationship. + /// + /// + /// propagateTags + /// "NONE" | "ONE_TO_TWO" | "TWO_TO_ONE" | "BOTH" + /// + /// + /// PropagateTags indicates whether tags should propagate across the relationship instance. + /// <p> + /// Tags can propagate: + /// <p> + /// NONE - not at all <br> + /// ONE_TO_TWO - from end 1 to 2 <br> + /// TWO_TO_ONE - from end 2 to 1 <br> + /// BOTH - both ways + /// <p> + /// Care needs to be taken when specifying. The use cases we are aware of where this flag is useful: + /// <p> + /// - propagating confidentiality classifications from a table to columns - ONE_TO_TWO could be used here <br> + /// - propagating classifications around Glossary synonyms - BOTH could be used here. + /// <p> + /// There is an expectation that further enhancements will allow more granular control of tag propagation and will + /// address how to resolve conflicts. + /// + /// + /// + /// propagatedClassifications + /// AtlasClassification[] + /// + /// An array of propagated classifications. + /// + /// + /// provenanceType + /// number + /// + /// Used to record the provenance of an instance of an entity or relationship. + /// + /// + /// status + /// "ACTIVE" | "DELETED" + /// + /// The enum of relationship status. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the relationship. + /// + /// + /// Schema for AtlasObjectId: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// uniqueAttributes + /// Dictionary<string, AnyObject> + /// + /// The unique attributes of the object. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual async Task UpdateAsync(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -97,6 +874,265 @@ public virtual async Task UpdateAsync(RequestContent requestBody, Canc } /// Update an existing relationship between entities. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// blockedPropagatedClassifications + /// AtlasClassification[] + /// + /// An array of blocked propagated classifications. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// end1 + /// AtlasObjectId + /// + /// Reference to an object-instance of an Atlas type - like entity. + /// + /// + /// end2 + /// AtlasObjectId + /// + /// Reference to an object-instance of an Atlas type - like entity. + /// + /// + /// guid + /// string + /// + /// The GUID of the relationship. + /// + /// + /// homeId + /// string + /// + /// The home ID of the relationship. + /// + /// + /// label + /// string + /// + /// The label of the relationship. + /// + /// + /// propagateTags + /// "NONE" | "ONE_TO_TWO" | "TWO_TO_ONE" | "BOTH" + /// + /// + /// PropagateTags indicates whether tags should propagate across the relationship instance. + /// <p> + /// Tags can propagate: + /// <p> + /// NONE - not at all <br> + /// ONE_TO_TWO - from end 1 to 2 <br> + /// TWO_TO_ONE - from end 2 to 1 <br> + /// BOTH - both ways + /// <p> + /// Care needs to be taken when specifying. The use cases we are aware of where this flag is useful: + /// <p> + /// - propagating confidentiality classifications from a table to columns - ONE_TO_TWO could be used here <br> + /// - propagating classifications around Glossary synonyms - BOTH could be used here. + /// <p> + /// There is an expectation that further enhancements will allow more granular control of tag propagation and will + /// address how to resolve conflicts. + /// + /// + /// + /// propagatedClassifications + /// AtlasClassification[] + /// + /// An array of propagated classifications. + /// + /// + /// provenanceType + /// number + /// + /// Used to record the provenance of an instance of an entity or relationship. + /// + /// + /// status + /// "ACTIVE" | "DELETED" + /// + /// The enum of relationship status. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the relationship. + /// + /// + /// Schema for AtlasObjectId: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// guid + /// string + /// + /// The GUID of the object. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// uniqueAttributes + /// Dictionary<string, AnyObject> + /// + /// The unique attributes of the object. + /// + /// + /// Schema for AtlasClassification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributes + /// Dictionary<string, AnyObject> + /// + /// The attributes of the struct. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityGuid + /// string + /// + /// The GUID of the entity. + /// + /// + /// entityStatus + /// "ACTIVE" | "DELETED" + /// + /// Status of the entity - can be active or deleted. Deleted entities are not removed from Atlas store. + /// + /// + /// propagate + /// boolean + /// + /// Determines if the classification will be propagated. + /// + /// + /// removePropagationsOnEntityDelete + /// boolean + /// + /// Determines if propagations will be removed on entity deletion. + /// + /// + /// validityPeriods + /// TimeBoundary[] + /// + /// An array of time boundaries indicating validity periods. + /// + /// + /// source + /// string + /// + /// indicate the source who create the classification detail. + /// + /// + /// sourceDetails + /// Dictionary<string, AnyObject> + /// + /// more detail on source information. + /// + /// + /// Schema for TimeBoundary: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// endTime + /// string + /// + /// The end of the time boundary. + /// + /// + /// startTime + /// string + /// + /// The start of the time boundary. + /// + /// + /// timeZone + /// string + /// + /// The timezone of the time boundary. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual Response Update(RequestContent requestBody, CancellationToken cancellationToken = default) diff --git a/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/TypesRestClient.cs b/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/TypesRestClient.cs index 6533c27770ac..859a0cad9f83 100644 --- a/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/TypesRestClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Catalog/src/Generated/TypesRestClient.cs @@ -563,6 +563,1243 @@ private Request CreateGetAllTypeDefsRequest(bool? includeTermTemplate = null, st /// Create all atlas type definitions in bulk, only new definitions will be created. /// Any changes to the existing definitions will be discarded. /// + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// classificationDefs + /// AtlasClassificationDef[] + /// + /// An array of classification definitions. + /// + /// + /// entityDefs + /// AtlasEntityDef[] + /// + /// An array of entity definitions. + /// + /// + /// enumDefs + /// AtlasEnumDef[] + /// + /// An array of enum definitions. + /// + /// + /// relationshipDefs + /// AtlasRelationshipDef[] + /// + /// An array of relationship definitions. + /// + /// + /// structDefs + /// AtlasStructDef[] + /// + /// An array of struct definitions. + /// + /// + /// termTemplateDefs + /// TermTemplateDef[] + /// + /// An array of term template definitions. + /// + /// + /// Schema for AtlasClassificationDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityTypes + /// string[] + /// + /// + /// Specifying a list of entityType names in the classificationDef, ensures that classifications can + /// only be applied to those entityTypes. + /// <ul> + /// <li>Any subtypes of the entity types inherit the restriction</li> + /// <li>Any classificationDef subtypes inherit the parents entityTypes restrictions</li> + /// <li>Any classificationDef subtypes can further restrict the parents entityTypes restrictions by specifying a subset of the entityTypes</li> + /// <li>An empty entityTypes list when there are no parent restrictions means there are no restrictions</li> + /// <li>An empty entityTypes list when there are parent restrictions means that the subtype picks up the parents restrictions</li> + /// <li>If a list of entityTypes are supplied, where one inherits from another, this will be rejected. This should encourage cleaner classificationsDefs</li> + /// </ul>. + /// + /// + /// + /// subTypes + /// string[] + /// + /// An array of sub types. + /// + /// + /// superTypes + /// string[] + /// + /// An array of super types. + /// + /// + /// Schema for AtlasEntityDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// subTypes + /// string[] + /// + /// An array of sub types. + /// + /// + /// superTypes + /// string[] + /// + /// An array of super types. + /// + /// + /// relationshipAttributeDefs + /// AtlasRelationshipAttributeDef[] + /// + /// An array of relationship attributes. + /// + /// + /// Schema for AtlasEnumDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// defaultValue + /// string + /// + /// The default value. + /// + /// + /// elementDefs + /// AtlasEnumElementDef[] + /// + /// An array of enum element definitions. + /// + /// + /// Schema for AtlasRelationshipDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// endDef1 + /// AtlasRelationshipEndDef + /// + /// + /// The relationshipEndDef represents an end of the relationship. The end of the relationship is defined by a type, an + /// attribute name, cardinality and whether it is the container end of the relationship. + /// + /// + /// + /// endDef2 + /// AtlasRelationshipEndDef + /// + /// + /// The relationshipEndDef represents an end of the relationship. The end of the relationship is defined by a type, an + /// attribute name, cardinality and whether it is the container end of the relationship. + /// + /// + /// + /// propagateTags + /// "NONE" | "ONE_TO_TWO" | "TWO_TO_ONE" | "BOTH" + /// + /// + /// PropagateTags indicates whether tags should propagate across the relationship instance. + /// <p> + /// Tags can propagate: + /// <p> + /// NONE - not at all <br> + /// ONE_TO_TWO - from end 1 to 2 <br> + /// TWO_TO_ONE - from end 2 to 1 <br> + /// BOTH - both ways + /// <p> + /// Care needs to be taken when specifying. The use cases we are aware of where this flag is useful: + /// <p> + /// - propagating confidentiality classifications from a table to columns - ONE_TO_TWO could be used here <br> + /// - propagating classifications around Glossary synonyms - BOTH could be used here. + /// <p> + /// There is an expectation that further enhancements will allow more granular control of tag propagation and will + /// address how to resolve conflicts. + /// + /// + /// + /// relationshipCategory + /// "ASSOCIATION" | "AGGREGATION" | "COMPOSITION" + /// + /// + /// The Relationship category determines the style of relationship around containment and lifecycle. + /// UML terminology is used for the values. + /// <p> + /// ASSOCIATION is a relationship with no containment. <br> + /// COMPOSITION and AGGREGATION are containment relationships. + /// <p> + /// The difference being in the lifecycles of the container and its children. In the COMPOSITION case, + /// the children cannot exist without the container. For AGGREGATION, the life cycles + /// of the container and children are totally independent. + /// + /// + /// + /// relationshipLabel + /// string + /// + /// The label of the relationship. + /// + /// + /// Schema for AtlasStructDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// Schema for TermTemplateDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// Schema for DateFormat: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// availableLocales + /// string[] + /// + /// An array of available locales. + /// + /// + /// calendar + /// number + /// + /// + /// + /// + /// dateInstance + /// DateFormat + /// + /// The date format. + /// + /// + /// dateTimeInstance + /// DateFormat + /// + /// The date format. + /// + /// + /// instance + /// DateFormat + /// + /// The date format. + /// + /// + /// lenient + /// boolean + /// + /// Determines the leniency of the date format. + /// + /// + /// numberFormat + /// NumberFormat + /// + /// The number format. + /// + /// + /// timeInstance + /// DateFormat + /// + /// The date format. + /// + /// + /// timeZone + /// TimeZone + /// + /// The timezone information. + /// + /// + /// Schema for AtlasRelationshipEndDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// cardinality + /// "SINGLE" | "LIST" | "SET" + /// + /// single-valued attribute or multi-valued attribute. + /// + /// + /// description + /// string + /// + /// The description of the relationship end definition. + /// + /// + /// isContainer + /// boolean + /// + /// Determines if it is container. + /// + /// + /// isLegacyAttribute + /// boolean + /// + /// Determines if it is a legacy attribute. + /// + /// + /// name + /// string + /// + /// The name of the relationship end definition. + /// + /// + /// type + /// string + /// + /// The type of the relationship end. + /// + /// + /// Schema for AtlasAttributeDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// cardinality + /// "SINGLE" | "LIST" | "SET" + /// + /// single-valued attribute or multi-valued attribute. + /// + /// + /// constraints + /// AtlasConstraintDef[] + /// + /// An array of constraints. + /// + /// + /// defaultValue + /// string + /// + /// The default value of the attribute. + /// + /// + /// description + /// string + /// + /// The description of the attribute. + /// + /// + /// includeInNotification + /// boolean + /// + /// Determines if it is included in notification. + /// + /// + /// isIndexable + /// boolean + /// + /// Determines if it is indexable. + /// + /// + /// isOptional + /// boolean + /// + /// Determines if it is optional. + /// + /// + /// isUnique + /// boolean + /// + /// Determines if it unique. + /// + /// + /// name + /// string + /// + /// The name of the attribute. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the attribute. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// valuesMaxCount + /// number + /// + /// The maximum count of the values. + /// + /// + /// valuesMinCount + /// number + /// + /// The minimum count of the values. + /// + /// + /// Schema for NumberFormat: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// availableLocales + /// string[] + /// + /// The number format. + /// + /// + /// currency + /// string + /// + /// The currency. + /// + /// + /// currencyInstance + /// NumberFormat + /// + /// The number format. + /// + /// + /// groupingUsed + /// boolean + /// + /// Determines if grouping is used. + /// + /// + /// instance + /// NumberFormat + /// + /// The number format. + /// + /// + /// integerInstance + /// NumberFormat + /// + /// The number format. + /// + /// + /// maximumFractionDigits + /// number + /// + /// The maximum of fraction digits. + /// + /// + /// maximumIntegerDigits + /// number + /// + /// The maximum of integer digits. + /// + /// + /// minimumFractionDigits + /// number + /// + /// The minimum of fraction digits. + /// + /// + /// minimumIntegerDigits + /// number + /// + /// The minimum of integer digits. + /// + /// + /// numberInstance + /// NumberFormat + /// + /// The number format. + /// + /// + /// parseIntegerOnly + /// boolean + /// + /// Determines if only integer is parsed. + /// + /// + /// percentInstance + /// NumberFormat + /// + /// The number format. + /// + /// + /// roundingMode + /// "UP" | "DOWN" | "CEILING" | "FLOOR" | "HALF_UP" | "HALF_DOWN" | "HALF_EVEN" | "UNNECESSARY" + /// + /// The enum of rounding mode. + /// + /// + /// Schema for TimeZone: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// dstSavings + /// number + /// + /// The value of the daylight saving time. + /// + /// + /// id + /// string + /// + /// The ID of the timezone. + /// + /// + /// availableIds + /// string[] + /// + /// An array of available IDs. + /// + /// + /// default + /// TimeZone + /// + /// The timezone information. + /// + /// + /// displayName + /// string + /// + /// The display name of the timezone. + /// + /// + /// rawOffset + /// number + /// + /// The raw offset of the timezone. + /// + /// + /// Schema for AtlasRelationshipAttributeDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// cardinality + /// "SINGLE" | "LIST" | "SET" + /// + /// single-valued attribute or multi-valued attribute. + /// + /// + /// constraints + /// AtlasConstraintDef[] + /// + /// An array of constraints. + /// + /// + /// defaultValue + /// string + /// + /// The default value of the attribute. + /// + /// + /// description + /// string + /// + /// The description of the attribute. + /// + /// + /// includeInNotification + /// boolean + /// + /// Determines if it is included in notification. + /// + /// + /// isIndexable + /// boolean + /// + /// Determines if it is indexable. + /// + /// + /// isOptional + /// boolean + /// + /// Determines if it is optional. + /// + /// + /// isUnique + /// boolean + /// + /// Determines if it unique. + /// + /// + /// name + /// string + /// + /// The name of the attribute. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the attribute. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// valuesMaxCount + /// number + /// + /// The maximum count of the values. + /// + /// + /// valuesMinCount + /// number + /// + /// The minimum count of the values. + /// + /// + /// isLegacyAttribute + /// boolean + /// + /// Determines if it is a legacy attribute. + /// + /// + /// relationshipTypeName + /// string + /// + /// The name of the relationship type. + /// + /// + /// Schema for AtlasEnumElementDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// description + /// string + /// + /// The description of the enum element definition. + /// + /// + /// ordinal + /// number + /// + /// The ordinal of the enum element definition. + /// + /// + /// value + /// string + /// + /// The value of the enum element definition. + /// + /// + /// Schema for AtlasConstraintDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// params + /// Dictionary<string, AnyObject> + /// + /// The parameters of the constraint definition. + /// + /// + /// type + /// string + /// + /// The type of the constraint. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual async Task CreateTypeDefsAsync(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -575,6 +1812,1243 @@ public virtual async Task CreateTypeDefsAsync(RequestContent requestBo /// Create all atlas type definitions in bulk, only new definitions will be created. /// Any changes to the existing definitions will be discarded. /// + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// classificationDefs + /// AtlasClassificationDef[] + /// + /// An array of classification definitions. + /// + /// + /// entityDefs + /// AtlasEntityDef[] + /// + /// An array of entity definitions. + /// + /// + /// enumDefs + /// AtlasEnumDef[] + /// + /// An array of enum definitions. + /// + /// + /// relationshipDefs + /// AtlasRelationshipDef[] + /// + /// An array of relationship definitions. + /// + /// + /// structDefs + /// AtlasStructDef[] + /// + /// An array of struct definitions. + /// + /// + /// termTemplateDefs + /// TermTemplateDef[] + /// + /// An array of term template definitions. + /// + /// + /// Schema for AtlasClassificationDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityTypes + /// string[] + /// + /// + /// Specifying a list of entityType names in the classificationDef, ensures that classifications can + /// only be applied to those entityTypes. + /// <ul> + /// <li>Any subtypes of the entity types inherit the restriction</li> + /// <li>Any classificationDef subtypes inherit the parents entityTypes restrictions</li> + /// <li>Any classificationDef subtypes can further restrict the parents entityTypes restrictions by specifying a subset of the entityTypes</li> + /// <li>An empty entityTypes list when there are no parent restrictions means there are no restrictions</li> + /// <li>An empty entityTypes list when there are parent restrictions means that the subtype picks up the parents restrictions</li> + /// <li>If a list of entityTypes are supplied, where one inherits from another, this will be rejected. This should encourage cleaner classificationsDefs</li> + /// </ul>. + /// + /// + /// + /// subTypes + /// string[] + /// + /// An array of sub types. + /// + /// + /// superTypes + /// string[] + /// + /// An array of super types. + /// + /// + /// Schema for AtlasEntityDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// subTypes + /// string[] + /// + /// An array of sub types. + /// + /// + /// superTypes + /// string[] + /// + /// An array of super types. + /// + /// + /// relationshipAttributeDefs + /// AtlasRelationshipAttributeDef[] + /// + /// An array of relationship attributes. + /// + /// + /// Schema for AtlasEnumDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// defaultValue + /// string + /// + /// The default value. + /// + /// + /// elementDefs + /// AtlasEnumElementDef[] + /// + /// An array of enum element definitions. + /// + /// + /// Schema for AtlasRelationshipDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// endDef1 + /// AtlasRelationshipEndDef + /// + /// + /// The relationshipEndDef represents an end of the relationship. The end of the relationship is defined by a type, an + /// attribute name, cardinality and whether it is the container end of the relationship. + /// + /// + /// + /// endDef2 + /// AtlasRelationshipEndDef + /// + /// + /// The relationshipEndDef represents an end of the relationship. The end of the relationship is defined by a type, an + /// attribute name, cardinality and whether it is the container end of the relationship. + /// + /// + /// + /// propagateTags + /// "NONE" | "ONE_TO_TWO" | "TWO_TO_ONE" | "BOTH" + /// + /// + /// PropagateTags indicates whether tags should propagate across the relationship instance. + /// <p> + /// Tags can propagate: + /// <p> + /// NONE - not at all <br> + /// ONE_TO_TWO - from end 1 to 2 <br> + /// TWO_TO_ONE - from end 2 to 1 <br> + /// BOTH - both ways + /// <p> + /// Care needs to be taken when specifying. The use cases we are aware of where this flag is useful: + /// <p> + /// - propagating confidentiality classifications from a table to columns - ONE_TO_TWO could be used here <br> + /// - propagating classifications around Glossary synonyms - BOTH could be used here. + /// <p> + /// There is an expectation that further enhancements will allow more granular control of tag propagation and will + /// address how to resolve conflicts. + /// + /// + /// + /// relationshipCategory + /// "ASSOCIATION" | "AGGREGATION" | "COMPOSITION" + /// + /// + /// The Relationship category determines the style of relationship around containment and lifecycle. + /// UML terminology is used for the values. + /// <p> + /// ASSOCIATION is a relationship with no containment. <br> + /// COMPOSITION and AGGREGATION are containment relationships. + /// <p> + /// The difference being in the lifecycles of the container and its children. In the COMPOSITION case, + /// the children cannot exist without the container. For AGGREGATION, the life cycles + /// of the container and children are totally independent. + /// + /// + /// + /// relationshipLabel + /// string + /// + /// The label of the relationship. + /// + /// + /// Schema for AtlasStructDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// Schema for TermTemplateDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// Schema for DateFormat: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// availableLocales + /// string[] + /// + /// An array of available locales. + /// + /// + /// calendar + /// number + /// + /// + /// + /// + /// dateInstance + /// DateFormat + /// + /// The date format. + /// + /// + /// dateTimeInstance + /// DateFormat + /// + /// The date format. + /// + /// + /// instance + /// DateFormat + /// + /// The date format. + /// + /// + /// lenient + /// boolean + /// + /// Determines the leniency of the date format. + /// + /// + /// numberFormat + /// NumberFormat + /// + /// The number format. + /// + /// + /// timeInstance + /// DateFormat + /// + /// The date format. + /// + /// + /// timeZone + /// TimeZone + /// + /// The timezone information. + /// + /// + /// Schema for AtlasRelationshipEndDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// cardinality + /// "SINGLE" | "LIST" | "SET" + /// + /// single-valued attribute or multi-valued attribute. + /// + /// + /// description + /// string + /// + /// The description of the relationship end definition. + /// + /// + /// isContainer + /// boolean + /// + /// Determines if it is container. + /// + /// + /// isLegacyAttribute + /// boolean + /// + /// Determines if it is a legacy attribute. + /// + /// + /// name + /// string + /// + /// The name of the relationship end definition. + /// + /// + /// type + /// string + /// + /// The type of the relationship end. + /// + /// + /// Schema for AtlasAttributeDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// cardinality + /// "SINGLE" | "LIST" | "SET" + /// + /// single-valued attribute or multi-valued attribute. + /// + /// + /// constraints + /// AtlasConstraintDef[] + /// + /// An array of constraints. + /// + /// + /// defaultValue + /// string + /// + /// The default value of the attribute. + /// + /// + /// description + /// string + /// + /// The description of the attribute. + /// + /// + /// includeInNotification + /// boolean + /// + /// Determines if it is included in notification. + /// + /// + /// isIndexable + /// boolean + /// + /// Determines if it is indexable. + /// + /// + /// isOptional + /// boolean + /// + /// Determines if it is optional. + /// + /// + /// isUnique + /// boolean + /// + /// Determines if it unique. + /// + /// + /// name + /// string + /// + /// The name of the attribute. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the attribute. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// valuesMaxCount + /// number + /// + /// The maximum count of the values. + /// + /// + /// valuesMinCount + /// number + /// + /// The minimum count of the values. + /// + /// + /// Schema for NumberFormat: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// availableLocales + /// string[] + /// + /// The number format. + /// + /// + /// currency + /// string + /// + /// The currency. + /// + /// + /// currencyInstance + /// NumberFormat + /// + /// The number format. + /// + /// + /// groupingUsed + /// boolean + /// + /// Determines if grouping is used. + /// + /// + /// instance + /// NumberFormat + /// + /// The number format. + /// + /// + /// integerInstance + /// NumberFormat + /// + /// The number format. + /// + /// + /// maximumFractionDigits + /// number + /// + /// The maximum of fraction digits. + /// + /// + /// maximumIntegerDigits + /// number + /// + /// The maximum of integer digits. + /// + /// + /// minimumFractionDigits + /// number + /// + /// The minimum of fraction digits. + /// + /// + /// minimumIntegerDigits + /// number + /// + /// The minimum of integer digits. + /// + /// + /// numberInstance + /// NumberFormat + /// + /// The number format. + /// + /// + /// parseIntegerOnly + /// boolean + /// + /// Determines if only integer is parsed. + /// + /// + /// percentInstance + /// NumberFormat + /// + /// The number format. + /// + /// + /// roundingMode + /// "UP" | "DOWN" | "CEILING" | "FLOOR" | "HALF_UP" | "HALF_DOWN" | "HALF_EVEN" | "UNNECESSARY" + /// + /// The enum of rounding mode. + /// + /// + /// Schema for TimeZone: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// dstSavings + /// number + /// + /// The value of the daylight saving time. + /// + /// + /// id + /// string + /// + /// The ID of the timezone. + /// + /// + /// availableIds + /// string[] + /// + /// An array of available IDs. + /// + /// + /// default + /// TimeZone + /// + /// The timezone information. + /// + /// + /// displayName + /// string + /// + /// The display name of the timezone. + /// + /// + /// rawOffset + /// number + /// + /// The raw offset of the timezone. + /// + /// + /// Schema for AtlasRelationshipAttributeDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// cardinality + /// "SINGLE" | "LIST" | "SET" + /// + /// single-valued attribute or multi-valued attribute. + /// + /// + /// constraints + /// AtlasConstraintDef[] + /// + /// An array of constraints. + /// + /// + /// defaultValue + /// string + /// + /// The default value of the attribute. + /// + /// + /// description + /// string + /// + /// The description of the attribute. + /// + /// + /// includeInNotification + /// boolean + /// + /// Determines if it is included in notification. + /// + /// + /// isIndexable + /// boolean + /// + /// Determines if it is indexable. + /// + /// + /// isOptional + /// boolean + /// + /// Determines if it is optional. + /// + /// + /// isUnique + /// boolean + /// + /// Determines if it unique. + /// + /// + /// name + /// string + /// + /// The name of the attribute. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the attribute. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// valuesMaxCount + /// number + /// + /// The maximum count of the values. + /// + /// + /// valuesMinCount + /// number + /// + /// The minimum count of the values. + /// + /// + /// isLegacyAttribute + /// boolean + /// + /// Determines if it is a legacy attribute. + /// + /// + /// relationshipTypeName + /// string + /// + /// The name of the relationship type. + /// + /// + /// Schema for AtlasEnumElementDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// description + /// string + /// + /// The description of the enum element definition. + /// + /// + /// ordinal + /// number + /// + /// The ordinal of the enum element definition. + /// + /// + /// value + /// string + /// + /// The value of the enum element definition. + /// + /// + /// Schema for AtlasConstraintDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// params + /// Dictionary<string, AnyObject> + /// + /// The parameters of the constraint definition. + /// + /// + /// type + /// string + /// + /// The type of the constraint. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual Response CreateTypeDefs(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -602,6 +3076,1243 @@ private Request CreateCreateTypeDefsRequest(RequestContent requestBody) } /// Update all types in bulk, changes detected in the type definitions would be persisted. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// classificationDefs + /// AtlasClassificationDef[] + /// + /// An array of classification definitions. + /// + /// + /// entityDefs + /// AtlasEntityDef[] + /// + /// An array of entity definitions. + /// + /// + /// enumDefs + /// AtlasEnumDef[] + /// + /// An array of enum definitions. + /// + /// + /// relationshipDefs + /// AtlasRelationshipDef[] + /// + /// An array of relationship definitions. + /// + /// + /// structDefs + /// AtlasStructDef[] + /// + /// An array of struct definitions. + /// + /// + /// termTemplateDefs + /// TermTemplateDef[] + /// + /// An array of term template definitions. + /// + /// + /// Schema for AtlasClassificationDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityTypes + /// string[] + /// + /// + /// Specifying a list of entityType names in the classificationDef, ensures that classifications can + /// only be applied to those entityTypes. + /// <ul> + /// <li>Any subtypes of the entity types inherit the restriction</li> + /// <li>Any classificationDef subtypes inherit the parents entityTypes restrictions</li> + /// <li>Any classificationDef subtypes can further restrict the parents entityTypes restrictions by specifying a subset of the entityTypes</li> + /// <li>An empty entityTypes list when there are no parent restrictions means there are no restrictions</li> + /// <li>An empty entityTypes list when there are parent restrictions means that the subtype picks up the parents restrictions</li> + /// <li>If a list of entityTypes are supplied, where one inherits from another, this will be rejected. This should encourage cleaner classificationsDefs</li> + /// </ul>. + /// + /// + /// + /// subTypes + /// string[] + /// + /// An array of sub types. + /// + /// + /// superTypes + /// string[] + /// + /// An array of super types. + /// + /// + /// Schema for AtlasEntityDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// subTypes + /// string[] + /// + /// An array of sub types. + /// + /// + /// superTypes + /// string[] + /// + /// An array of super types. + /// + /// + /// relationshipAttributeDefs + /// AtlasRelationshipAttributeDef[] + /// + /// An array of relationship attributes. + /// + /// + /// Schema for AtlasEnumDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// defaultValue + /// string + /// + /// The default value. + /// + /// + /// elementDefs + /// AtlasEnumElementDef[] + /// + /// An array of enum element definitions. + /// + /// + /// Schema for AtlasRelationshipDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// endDef1 + /// AtlasRelationshipEndDef + /// + /// + /// The relationshipEndDef represents an end of the relationship. The end of the relationship is defined by a type, an + /// attribute name, cardinality and whether it is the container end of the relationship. + /// + /// + /// + /// endDef2 + /// AtlasRelationshipEndDef + /// + /// + /// The relationshipEndDef represents an end of the relationship. The end of the relationship is defined by a type, an + /// attribute name, cardinality and whether it is the container end of the relationship. + /// + /// + /// + /// propagateTags + /// "NONE" | "ONE_TO_TWO" | "TWO_TO_ONE" | "BOTH" + /// + /// + /// PropagateTags indicates whether tags should propagate across the relationship instance. + /// <p> + /// Tags can propagate: + /// <p> + /// NONE - not at all <br> + /// ONE_TO_TWO - from end 1 to 2 <br> + /// TWO_TO_ONE - from end 2 to 1 <br> + /// BOTH - both ways + /// <p> + /// Care needs to be taken when specifying. The use cases we are aware of where this flag is useful: + /// <p> + /// - propagating confidentiality classifications from a table to columns - ONE_TO_TWO could be used here <br> + /// - propagating classifications around Glossary synonyms - BOTH could be used here. + /// <p> + /// There is an expectation that further enhancements will allow more granular control of tag propagation and will + /// address how to resolve conflicts. + /// + /// + /// + /// relationshipCategory + /// "ASSOCIATION" | "AGGREGATION" | "COMPOSITION" + /// + /// + /// The Relationship category determines the style of relationship around containment and lifecycle. + /// UML terminology is used for the values. + /// <p> + /// ASSOCIATION is a relationship with no containment. <br> + /// COMPOSITION and AGGREGATION are containment relationships. + /// <p> + /// The difference being in the lifecycles of the container and its children. In the COMPOSITION case, + /// the children cannot exist without the container. For AGGREGATION, the life cycles + /// of the container and children are totally independent. + /// + /// + /// + /// relationshipLabel + /// string + /// + /// The label of the relationship. + /// + /// + /// Schema for AtlasStructDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// Schema for TermTemplateDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// Schema for DateFormat: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// availableLocales + /// string[] + /// + /// An array of available locales. + /// + /// + /// calendar + /// number + /// + /// + /// + /// + /// dateInstance + /// DateFormat + /// + /// The date format. + /// + /// + /// dateTimeInstance + /// DateFormat + /// + /// The date format. + /// + /// + /// instance + /// DateFormat + /// + /// The date format. + /// + /// + /// lenient + /// boolean + /// + /// Determines the leniency of the date format. + /// + /// + /// numberFormat + /// NumberFormat + /// + /// The number format. + /// + /// + /// timeInstance + /// DateFormat + /// + /// The date format. + /// + /// + /// timeZone + /// TimeZone + /// + /// The timezone information. + /// + /// + /// Schema for AtlasRelationshipEndDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// cardinality + /// "SINGLE" | "LIST" | "SET" + /// + /// single-valued attribute or multi-valued attribute. + /// + /// + /// description + /// string + /// + /// The description of the relationship end definition. + /// + /// + /// isContainer + /// boolean + /// + /// Determines if it is container. + /// + /// + /// isLegacyAttribute + /// boolean + /// + /// Determines if it is a legacy attribute. + /// + /// + /// name + /// string + /// + /// The name of the relationship end definition. + /// + /// + /// type + /// string + /// + /// The type of the relationship end. + /// + /// + /// Schema for AtlasAttributeDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// cardinality + /// "SINGLE" | "LIST" | "SET" + /// + /// single-valued attribute or multi-valued attribute. + /// + /// + /// constraints + /// AtlasConstraintDef[] + /// + /// An array of constraints. + /// + /// + /// defaultValue + /// string + /// + /// The default value of the attribute. + /// + /// + /// description + /// string + /// + /// The description of the attribute. + /// + /// + /// includeInNotification + /// boolean + /// + /// Determines if it is included in notification. + /// + /// + /// isIndexable + /// boolean + /// + /// Determines if it is indexable. + /// + /// + /// isOptional + /// boolean + /// + /// Determines if it is optional. + /// + /// + /// isUnique + /// boolean + /// + /// Determines if it unique. + /// + /// + /// name + /// string + /// + /// The name of the attribute. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the attribute. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// valuesMaxCount + /// number + /// + /// The maximum count of the values. + /// + /// + /// valuesMinCount + /// number + /// + /// The minimum count of the values. + /// + /// + /// Schema for NumberFormat: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// availableLocales + /// string[] + /// + /// The number format. + /// + /// + /// currency + /// string + /// + /// The currency. + /// + /// + /// currencyInstance + /// NumberFormat + /// + /// The number format. + /// + /// + /// groupingUsed + /// boolean + /// + /// Determines if grouping is used. + /// + /// + /// instance + /// NumberFormat + /// + /// The number format. + /// + /// + /// integerInstance + /// NumberFormat + /// + /// The number format. + /// + /// + /// maximumFractionDigits + /// number + /// + /// The maximum of fraction digits. + /// + /// + /// maximumIntegerDigits + /// number + /// + /// The maximum of integer digits. + /// + /// + /// minimumFractionDigits + /// number + /// + /// The minimum of fraction digits. + /// + /// + /// minimumIntegerDigits + /// number + /// + /// The minimum of integer digits. + /// + /// + /// numberInstance + /// NumberFormat + /// + /// The number format. + /// + /// + /// parseIntegerOnly + /// boolean + /// + /// Determines if only integer is parsed. + /// + /// + /// percentInstance + /// NumberFormat + /// + /// The number format. + /// + /// + /// roundingMode + /// "UP" | "DOWN" | "CEILING" | "FLOOR" | "HALF_UP" | "HALF_DOWN" | "HALF_EVEN" | "UNNECESSARY" + /// + /// The enum of rounding mode. + /// + /// + /// Schema for TimeZone: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// dstSavings + /// number + /// + /// The value of the daylight saving time. + /// + /// + /// id + /// string + /// + /// The ID of the timezone. + /// + /// + /// availableIds + /// string[] + /// + /// An array of available IDs. + /// + /// + /// default + /// TimeZone + /// + /// The timezone information. + /// + /// + /// displayName + /// string + /// + /// The display name of the timezone. + /// + /// + /// rawOffset + /// number + /// + /// The raw offset of the timezone. + /// + /// + /// Schema for AtlasRelationshipAttributeDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// cardinality + /// "SINGLE" | "LIST" | "SET" + /// + /// single-valued attribute or multi-valued attribute. + /// + /// + /// constraints + /// AtlasConstraintDef[] + /// + /// An array of constraints. + /// + /// + /// defaultValue + /// string + /// + /// The default value of the attribute. + /// + /// + /// description + /// string + /// + /// The description of the attribute. + /// + /// + /// includeInNotification + /// boolean + /// + /// Determines if it is included in notification. + /// + /// + /// isIndexable + /// boolean + /// + /// Determines if it is indexable. + /// + /// + /// isOptional + /// boolean + /// + /// Determines if it is optional. + /// + /// + /// isUnique + /// boolean + /// + /// Determines if it unique. + /// + /// + /// name + /// string + /// + /// The name of the attribute. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the attribute. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// valuesMaxCount + /// number + /// + /// The maximum count of the values. + /// + /// + /// valuesMinCount + /// number + /// + /// The minimum count of the values. + /// + /// + /// isLegacyAttribute + /// boolean + /// + /// Determines if it is a legacy attribute. + /// + /// + /// relationshipTypeName + /// string + /// + /// The name of the relationship type. + /// + /// + /// Schema for AtlasEnumElementDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// description + /// string + /// + /// The description of the enum element definition. + /// + /// + /// ordinal + /// number + /// + /// The ordinal of the enum element definition. + /// + /// + /// value + /// string + /// + /// The value of the enum element definition. + /// + /// + /// Schema for AtlasConstraintDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// params + /// Dictionary<string, AnyObject> + /// + /// The parameters of the constraint definition. + /// + /// + /// type + /// string + /// + /// The type of the constraint. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual async Task UpdateAtlasTypeDefsAsync(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -611,6 +4322,1243 @@ public virtual async Task UpdateAtlasTypeDefsAsync(RequestContent requ } /// Update all types in bulk, changes detected in the type definitions would be persisted. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// classificationDefs + /// AtlasClassificationDef[] + /// + /// An array of classification definitions. + /// + /// + /// entityDefs + /// AtlasEntityDef[] + /// + /// An array of entity definitions. + /// + /// + /// enumDefs + /// AtlasEnumDef[] + /// + /// An array of enum definitions. + /// + /// + /// relationshipDefs + /// AtlasRelationshipDef[] + /// + /// An array of relationship definitions. + /// + /// + /// structDefs + /// AtlasStructDef[] + /// + /// An array of struct definitions. + /// + /// + /// termTemplateDefs + /// TermTemplateDef[] + /// + /// An array of term template definitions. + /// + /// + /// Schema for AtlasClassificationDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityTypes + /// string[] + /// + /// + /// Specifying a list of entityType names in the classificationDef, ensures that classifications can + /// only be applied to those entityTypes. + /// <ul> + /// <li>Any subtypes of the entity types inherit the restriction</li> + /// <li>Any classificationDef subtypes inherit the parents entityTypes restrictions</li> + /// <li>Any classificationDef subtypes can further restrict the parents entityTypes restrictions by specifying a subset of the entityTypes</li> + /// <li>An empty entityTypes list when there are no parent restrictions means there are no restrictions</li> + /// <li>An empty entityTypes list when there are parent restrictions means that the subtype picks up the parents restrictions</li> + /// <li>If a list of entityTypes are supplied, where one inherits from another, this will be rejected. This should encourage cleaner classificationsDefs</li> + /// </ul>. + /// + /// + /// + /// subTypes + /// string[] + /// + /// An array of sub types. + /// + /// + /// superTypes + /// string[] + /// + /// An array of super types. + /// + /// + /// Schema for AtlasEntityDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// subTypes + /// string[] + /// + /// An array of sub types. + /// + /// + /// superTypes + /// string[] + /// + /// An array of super types. + /// + /// + /// relationshipAttributeDefs + /// AtlasRelationshipAttributeDef[] + /// + /// An array of relationship attributes. + /// + /// + /// Schema for AtlasEnumDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// defaultValue + /// string + /// + /// The default value. + /// + /// + /// elementDefs + /// AtlasEnumElementDef[] + /// + /// An array of enum element definitions. + /// + /// + /// Schema for AtlasRelationshipDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// endDef1 + /// AtlasRelationshipEndDef + /// + /// + /// The relationshipEndDef represents an end of the relationship. The end of the relationship is defined by a type, an + /// attribute name, cardinality and whether it is the container end of the relationship. + /// + /// + /// + /// endDef2 + /// AtlasRelationshipEndDef + /// + /// + /// The relationshipEndDef represents an end of the relationship. The end of the relationship is defined by a type, an + /// attribute name, cardinality and whether it is the container end of the relationship. + /// + /// + /// + /// propagateTags + /// "NONE" | "ONE_TO_TWO" | "TWO_TO_ONE" | "BOTH" + /// + /// + /// PropagateTags indicates whether tags should propagate across the relationship instance. + /// <p> + /// Tags can propagate: + /// <p> + /// NONE - not at all <br> + /// ONE_TO_TWO - from end 1 to 2 <br> + /// TWO_TO_ONE - from end 2 to 1 <br> + /// BOTH - both ways + /// <p> + /// Care needs to be taken when specifying. The use cases we are aware of where this flag is useful: + /// <p> + /// - propagating confidentiality classifications from a table to columns - ONE_TO_TWO could be used here <br> + /// - propagating classifications around Glossary synonyms - BOTH could be used here. + /// <p> + /// There is an expectation that further enhancements will allow more granular control of tag propagation and will + /// address how to resolve conflicts. + /// + /// + /// + /// relationshipCategory + /// "ASSOCIATION" | "AGGREGATION" | "COMPOSITION" + /// + /// + /// The Relationship category determines the style of relationship around containment and lifecycle. + /// UML terminology is used for the values. + /// <p> + /// ASSOCIATION is a relationship with no containment. <br> + /// COMPOSITION and AGGREGATION are containment relationships. + /// <p> + /// The difference being in the lifecycles of the container and its children. In the COMPOSITION case, + /// the children cannot exist without the container. For AGGREGATION, the life cycles + /// of the container and children are totally independent. + /// + /// + /// + /// relationshipLabel + /// string + /// + /// The label of the relationship. + /// + /// + /// Schema for AtlasStructDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// Schema for TermTemplateDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// Schema for DateFormat: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// availableLocales + /// string[] + /// + /// An array of available locales. + /// + /// + /// calendar + /// number + /// + /// + /// + /// + /// dateInstance + /// DateFormat + /// + /// The date format. + /// + /// + /// dateTimeInstance + /// DateFormat + /// + /// The date format. + /// + /// + /// instance + /// DateFormat + /// + /// The date format. + /// + /// + /// lenient + /// boolean + /// + /// Determines the leniency of the date format. + /// + /// + /// numberFormat + /// NumberFormat + /// + /// The number format. + /// + /// + /// timeInstance + /// DateFormat + /// + /// The date format. + /// + /// + /// timeZone + /// TimeZone + /// + /// The timezone information. + /// + /// + /// Schema for AtlasRelationshipEndDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// cardinality + /// "SINGLE" | "LIST" | "SET" + /// + /// single-valued attribute or multi-valued attribute. + /// + /// + /// description + /// string + /// + /// The description of the relationship end definition. + /// + /// + /// isContainer + /// boolean + /// + /// Determines if it is container. + /// + /// + /// isLegacyAttribute + /// boolean + /// + /// Determines if it is a legacy attribute. + /// + /// + /// name + /// string + /// + /// The name of the relationship end definition. + /// + /// + /// type + /// string + /// + /// The type of the relationship end. + /// + /// + /// Schema for AtlasAttributeDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// cardinality + /// "SINGLE" | "LIST" | "SET" + /// + /// single-valued attribute or multi-valued attribute. + /// + /// + /// constraints + /// AtlasConstraintDef[] + /// + /// An array of constraints. + /// + /// + /// defaultValue + /// string + /// + /// The default value of the attribute. + /// + /// + /// description + /// string + /// + /// The description of the attribute. + /// + /// + /// includeInNotification + /// boolean + /// + /// Determines if it is included in notification. + /// + /// + /// isIndexable + /// boolean + /// + /// Determines if it is indexable. + /// + /// + /// isOptional + /// boolean + /// + /// Determines if it is optional. + /// + /// + /// isUnique + /// boolean + /// + /// Determines if it unique. + /// + /// + /// name + /// string + /// + /// The name of the attribute. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the attribute. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// valuesMaxCount + /// number + /// + /// The maximum count of the values. + /// + /// + /// valuesMinCount + /// number + /// + /// The minimum count of the values. + /// + /// + /// Schema for NumberFormat: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// availableLocales + /// string[] + /// + /// The number format. + /// + /// + /// currency + /// string + /// + /// The currency. + /// + /// + /// currencyInstance + /// NumberFormat + /// + /// The number format. + /// + /// + /// groupingUsed + /// boolean + /// + /// Determines if grouping is used. + /// + /// + /// instance + /// NumberFormat + /// + /// The number format. + /// + /// + /// integerInstance + /// NumberFormat + /// + /// The number format. + /// + /// + /// maximumFractionDigits + /// number + /// + /// The maximum of fraction digits. + /// + /// + /// maximumIntegerDigits + /// number + /// + /// The maximum of integer digits. + /// + /// + /// minimumFractionDigits + /// number + /// + /// The minimum of fraction digits. + /// + /// + /// minimumIntegerDigits + /// number + /// + /// The minimum of integer digits. + /// + /// + /// numberInstance + /// NumberFormat + /// + /// The number format. + /// + /// + /// parseIntegerOnly + /// boolean + /// + /// Determines if only integer is parsed. + /// + /// + /// percentInstance + /// NumberFormat + /// + /// The number format. + /// + /// + /// roundingMode + /// "UP" | "DOWN" | "CEILING" | "FLOOR" | "HALF_UP" | "HALF_DOWN" | "HALF_EVEN" | "UNNECESSARY" + /// + /// The enum of rounding mode. + /// + /// + /// Schema for TimeZone: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// dstSavings + /// number + /// + /// The value of the daylight saving time. + /// + /// + /// id + /// string + /// + /// The ID of the timezone. + /// + /// + /// availableIds + /// string[] + /// + /// An array of available IDs. + /// + /// + /// default + /// TimeZone + /// + /// The timezone information. + /// + /// + /// displayName + /// string + /// + /// The display name of the timezone. + /// + /// + /// rawOffset + /// number + /// + /// The raw offset of the timezone. + /// + /// + /// Schema for AtlasRelationshipAttributeDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// cardinality + /// "SINGLE" | "LIST" | "SET" + /// + /// single-valued attribute or multi-valued attribute. + /// + /// + /// constraints + /// AtlasConstraintDef[] + /// + /// An array of constraints. + /// + /// + /// defaultValue + /// string + /// + /// The default value of the attribute. + /// + /// + /// description + /// string + /// + /// The description of the attribute. + /// + /// + /// includeInNotification + /// boolean + /// + /// Determines if it is included in notification. + /// + /// + /// isIndexable + /// boolean + /// + /// Determines if it is indexable. + /// + /// + /// isOptional + /// boolean + /// + /// Determines if it is optional. + /// + /// + /// isUnique + /// boolean + /// + /// Determines if it unique. + /// + /// + /// name + /// string + /// + /// The name of the attribute. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the attribute. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// valuesMaxCount + /// number + /// + /// The maximum count of the values. + /// + /// + /// valuesMinCount + /// number + /// + /// The minimum count of the values. + /// + /// + /// isLegacyAttribute + /// boolean + /// + /// Determines if it is a legacy attribute. + /// + /// + /// relationshipTypeName + /// string + /// + /// The name of the relationship type. + /// + /// + /// Schema for AtlasEnumElementDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// description + /// string + /// + /// The description of the enum element definition. + /// + /// + /// ordinal + /// number + /// + /// The ordinal of the enum element definition. + /// + /// + /// value + /// string + /// + /// The value of the enum element definition. + /// + /// + /// Schema for AtlasConstraintDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// params + /// Dictionary<string, AnyObject> + /// + /// The parameters of the constraint definition. + /// + /// + /// type + /// string + /// + /// The type of the constraint. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual Response UpdateAtlasTypeDefs(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -638,6 +5586,1243 @@ private Request CreateUpdateAtlasTypeDefsRequest(RequestContent requestBody) } /// Delete API for all types in bulk. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// classificationDefs + /// AtlasClassificationDef[] + /// + /// An array of classification definitions. + /// + /// + /// entityDefs + /// AtlasEntityDef[] + /// + /// An array of entity definitions. + /// + /// + /// enumDefs + /// AtlasEnumDef[] + /// + /// An array of enum definitions. + /// + /// + /// relationshipDefs + /// AtlasRelationshipDef[] + /// + /// An array of relationship definitions. + /// + /// + /// structDefs + /// AtlasStructDef[] + /// + /// An array of struct definitions. + /// + /// + /// termTemplateDefs + /// TermTemplateDef[] + /// + /// An array of term template definitions. + /// + /// + /// Schema for AtlasClassificationDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityTypes + /// string[] + /// + /// + /// Specifying a list of entityType names in the classificationDef, ensures that classifications can + /// only be applied to those entityTypes. + /// <ul> + /// <li>Any subtypes of the entity types inherit the restriction</li> + /// <li>Any classificationDef subtypes inherit the parents entityTypes restrictions</li> + /// <li>Any classificationDef subtypes can further restrict the parents entityTypes restrictions by specifying a subset of the entityTypes</li> + /// <li>An empty entityTypes list when there are no parent restrictions means there are no restrictions</li> + /// <li>An empty entityTypes list when there are parent restrictions means that the subtype picks up the parents restrictions</li> + /// <li>If a list of entityTypes are supplied, where one inherits from another, this will be rejected. This should encourage cleaner classificationsDefs</li> + /// </ul>. + /// + /// + /// + /// subTypes + /// string[] + /// + /// An array of sub types. + /// + /// + /// superTypes + /// string[] + /// + /// An array of super types. + /// + /// + /// Schema for AtlasEntityDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// subTypes + /// string[] + /// + /// An array of sub types. + /// + /// + /// superTypes + /// string[] + /// + /// An array of super types. + /// + /// + /// relationshipAttributeDefs + /// AtlasRelationshipAttributeDef[] + /// + /// An array of relationship attributes. + /// + /// + /// Schema for AtlasEnumDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// defaultValue + /// string + /// + /// The default value. + /// + /// + /// elementDefs + /// AtlasEnumElementDef[] + /// + /// An array of enum element definitions. + /// + /// + /// Schema for AtlasRelationshipDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// endDef1 + /// AtlasRelationshipEndDef + /// + /// + /// The relationshipEndDef represents an end of the relationship. The end of the relationship is defined by a type, an + /// attribute name, cardinality and whether it is the container end of the relationship. + /// + /// + /// + /// endDef2 + /// AtlasRelationshipEndDef + /// + /// + /// The relationshipEndDef represents an end of the relationship. The end of the relationship is defined by a type, an + /// attribute name, cardinality and whether it is the container end of the relationship. + /// + /// + /// + /// propagateTags + /// "NONE" | "ONE_TO_TWO" | "TWO_TO_ONE" | "BOTH" + /// + /// + /// PropagateTags indicates whether tags should propagate across the relationship instance. + /// <p> + /// Tags can propagate: + /// <p> + /// NONE - not at all <br> + /// ONE_TO_TWO - from end 1 to 2 <br> + /// TWO_TO_ONE - from end 2 to 1 <br> + /// BOTH - both ways + /// <p> + /// Care needs to be taken when specifying. The use cases we are aware of where this flag is useful: + /// <p> + /// - propagating confidentiality classifications from a table to columns - ONE_TO_TWO could be used here <br> + /// - propagating classifications around Glossary synonyms - BOTH could be used here. + /// <p> + /// There is an expectation that further enhancements will allow more granular control of tag propagation and will + /// address how to resolve conflicts. + /// + /// + /// + /// relationshipCategory + /// "ASSOCIATION" | "AGGREGATION" | "COMPOSITION" + /// + /// + /// The Relationship category determines the style of relationship around containment and lifecycle. + /// UML terminology is used for the values. + /// <p> + /// ASSOCIATION is a relationship with no containment. <br> + /// COMPOSITION and AGGREGATION are containment relationships. + /// <p> + /// The difference being in the lifecycles of the container and its children. In the COMPOSITION case, + /// the children cannot exist without the container. For AGGREGATION, the life cycles + /// of the container and children are totally independent. + /// + /// + /// + /// relationshipLabel + /// string + /// + /// The label of the relationship. + /// + /// + /// Schema for AtlasStructDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// Schema for TermTemplateDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// Schema for DateFormat: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// availableLocales + /// string[] + /// + /// An array of available locales. + /// + /// + /// calendar + /// number + /// + /// + /// + /// + /// dateInstance + /// DateFormat + /// + /// The date format. + /// + /// + /// dateTimeInstance + /// DateFormat + /// + /// The date format. + /// + /// + /// instance + /// DateFormat + /// + /// The date format. + /// + /// + /// lenient + /// boolean + /// + /// Determines the leniency of the date format. + /// + /// + /// numberFormat + /// NumberFormat + /// + /// The number format. + /// + /// + /// timeInstance + /// DateFormat + /// + /// The date format. + /// + /// + /// timeZone + /// TimeZone + /// + /// The timezone information. + /// + /// + /// Schema for AtlasRelationshipEndDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// cardinality + /// "SINGLE" | "LIST" | "SET" + /// + /// single-valued attribute or multi-valued attribute. + /// + /// + /// description + /// string + /// + /// The description of the relationship end definition. + /// + /// + /// isContainer + /// boolean + /// + /// Determines if it is container. + /// + /// + /// isLegacyAttribute + /// boolean + /// + /// Determines if it is a legacy attribute. + /// + /// + /// name + /// string + /// + /// The name of the relationship end definition. + /// + /// + /// type + /// string + /// + /// The type of the relationship end. + /// + /// + /// Schema for AtlasAttributeDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// cardinality + /// "SINGLE" | "LIST" | "SET" + /// + /// single-valued attribute or multi-valued attribute. + /// + /// + /// constraints + /// AtlasConstraintDef[] + /// + /// An array of constraints. + /// + /// + /// defaultValue + /// string + /// + /// The default value of the attribute. + /// + /// + /// description + /// string + /// + /// The description of the attribute. + /// + /// + /// includeInNotification + /// boolean + /// + /// Determines if it is included in notification. + /// + /// + /// isIndexable + /// boolean + /// + /// Determines if it is indexable. + /// + /// + /// isOptional + /// boolean + /// + /// Determines if it is optional. + /// + /// + /// isUnique + /// boolean + /// + /// Determines if it unique. + /// + /// + /// name + /// string + /// + /// The name of the attribute. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the attribute. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// valuesMaxCount + /// number + /// + /// The maximum count of the values. + /// + /// + /// valuesMinCount + /// number + /// + /// The minimum count of the values. + /// + /// + /// Schema for NumberFormat: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// availableLocales + /// string[] + /// + /// The number format. + /// + /// + /// currency + /// string + /// + /// The currency. + /// + /// + /// currencyInstance + /// NumberFormat + /// + /// The number format. + /// + /// + /// groupingUsed + /// boolean + /// + /// Determines if grouping is used. + /// + /// + /// instance + /// NumberFormat + /// + /// The number format. + /// + /// + /// integerInstance + /// NumberFormat + /// + /// The number format. + /// + /// + /// maximumFractionDigits + /// number + /// + /// The maximum of fraction digits. + /// + /// + /// maximumIntegerDigits + /// number + /// + /// The maximum of integer digits. + /// + /// + /// minimumFractionDigits + /// number + /// + /// The minimum of fraction digits. + /// + /// + /// minimumIntegerDigits + /// number + /// + /// The minimum of integer digits. + /// + /// + /// numberInstance + /// NumberFormat + /// + /// The number format. + /// + /// + /// parseIntegerOnly + /// boolean + /// + /// Determines if only integer is parsed. + /// + /// + /// percentInstance + /// NumberFormat + /// + /// The number format. + /// + /// + /// roundingMode + /// "UP" | "DOWN" | "CEILING" | "FLOOR" | "HALF_UP" | "HALF_DOWN" | "HALF_EVEN" | "UNNECESSARY" + /// + /// The enum of rounding mode. + /// + /// + /// Schema for TimeZone: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// dstSavings + /// number + /// + /// The value of the daylight saving time. + /// + /// + /// id + /// string + /// + /// The ID of the timezone. + /// + /// + /// availableIds + /// string[] + /// + /// An array of available IDs. + /// + /// + /// default + /// TimeZone + /// + /// The timezone information. + /// + /// + /// displayName + /// string + /// + /// The display name of the timezone. + /// + /// + /// rawOffset + /// number + /// + /// The raw offset of the timezone. + /// + /// + /// Schema for AtlasRelationshipAttributeDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// cardinality + /// "SINGLE" | "LIST" | "SET" + /// + /// single-valued attribute or multi-valued attribute. + /// + /// + /// constraints + /// AtlasConstraintDef[] + /// + /// An array of constraints. + /// + /// + /// defaultValue + /// string + /// + /// The default value of the attribute. + /// + /// + /// description + /// string + /// + /// The description of the attribute. + /// + /// + /// includeInNotification + /// boolean + /// + /// Determines if it is included in notification. + /// + /// + /// isIndexable + /// boolean + /// + /// Determines if it is indexable. + /// + /// + /// isOptional + /// boolean + /// + /// Determines if it is optional. + /// + /// + /// isUnique + /// boolean + /// + /// Determines if it unique. + /// + /// + /// name + /// string + /// + /// The name of the attribute. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the attribute. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// valuesMaxCount + /// number + /// + /// The maximum count of the values. + /// + /// + /// valuesMinCount + /// number + /// + /// The minimum count of the values. + /// + /// + /// isLegacyAttribute + /// boolean + /// + /// Determines if it is a legacy attribute. + /// + /// + /// relationshipTypeName + /// string + /// + /// The name of the relationship type. + /// + /// + /// Schema for AtlasEnumElementDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// description + /// string + /// + /// The description of the enum element definition. + /// + /// + /// ordinal + /// number + /// + /// The ordinal of the enum element definition. + /// + /// + /// value + /// string + /// + /// The value of the enum element definition. + /// + /// + /// Schema for AtlasConstraintDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// params + /// Dictionary<string, AnyObject> + /// + /// The parameters of the constraint definition. + /// + /// + /// type + /// string + /// + /// The type of the constraint. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual async Task DeleteTypeDefsAsync(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -647,6 +6832,1243 @@ public virtual async Task DeleteTypeDefsAsync(RequestContent requestBo } /// Delete API for all types in bulk. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// classificationDefs + /// AtlasClassificationDef[] + /// + /// An array of classification definitions. + /// + /// + /// entityDefs + /// AtlasEntityDef[] + /// + /// An array of entity definitions. + /// + /// + /// enumDefs + /// AtlasEnumDef[] + /// + /// An array of enum definitions. + /// + /// + /// relationshipDefs + /// AtlasRelationshipDef[] + /// + /// An array of relationship definitions. + /// + /// + /// structDefs + /// AtlasStructDef[] + /// + /// An array of struct definitions. + /// + /// + /// termTemplateDefs + /// TermTemplateDef[] + /// + /// An array of term template definitions. + /// + /// + /// Schema for AtlasClassificationDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// entityTypes + /// string[] + /// + /// + /// Specifying a list of entityType names in the classificationDef, ensures that classifications can + /// only be applied to those entityTypes. + /// <ul> + /// <li>Any subtypes of the entity types inherit the restriction</li> + /// <li>Any classificationDef subtypes inherit the parents entityTypes restrictions</li> + /// <li>Any classificationDef subtypes can further restrict the parents entityTypes restrictions by specifying a subset of the entityTypes</li> + /// <li>An empty entityTypes list when there are no parent restrictions means there are no restrictions</li> + /// <li>An empty entityTypes list when there are parent restrictions means that the subtype picks up the parents restrictions</li> + /// <li>If a list of entityTypes are supplied, where one inherits from another, this will be rejected. This should encourage cleaner classificationsDefs</li> + /// </ul>. + /// + /// + /// + /// subTypes + /// string[] + /// + /// An array of sub types. + /// + /// + /// superTypes + /// string[] + /// + /// An array of super types. + /// + /// + /// Schema for AtlasEntityDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// subTypes + /// string[] + /// + /// An array of sub types. + /// + /// + /// superTypes + /// string[] + /// + /// An array of super types. + /// + /// + /// relationshipAttributeDefs + /// AtlasRelationshipAttributeDef[] + /// + /// An array of relationship attributes. + /// + /// + /// Schema for AtlasEnumDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// defaultValue + /// string + /// + /// The default value. + /// + /// + /// elementDefs + /// AtlasEnumElementDef[] + /// + /// An array of enum element definitions. + /// + /// + /// Schema for AtlasRelationshipDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// endDef1 + /// AtlasRelationshipEndDef + /// + /// + /// The relationshipEndDef represents an end of the relationship. The end of the relationship is defined by a type, an + /// attribute name, cardinality and whether it is the container end of the relationship. + /// + /// + /// + /// endDef2 + /// AtlasRelationshipEndDef + /// + /// + /// The relationshipEndDef represents an end of the relationship. The end of the relationship is defined by a type, an + /// attribute name, cardinality and whether it is the container end of the relationship. + /// + /// + /// + /// propagateTags + /// "NONE" | "ONE_TO_TWO" | "TWO_TO_ONE" | "BOTH" + /// + /// + /// PropagateTags indicates whether tags should propagate across the relationship instance. + /// <p> + /// Tags can propagate: + /// <p> + /// NONE - not at all <br> + /// ONE_TO_TWO - from end 1 to 2 <br> + /// TWO_TO_ONE - from end 2 to 1 <br> + /// BOTH - both ways + /// <p> + /// Care needs to be taken when specifying. The use cases we are aware of where this flag is useful: + /// <p> + /// - propagating confidentiality classifications from a table to columns - ONE_TO_TWO could be used here <br> + /// - propagating classifications around Glossary synonyms - BOTH could be used here. + /// <p> + /// There is an expectation that further enhancements will allow more granular control of tag propagation and will + /// address how to resolve conflicts. + /// + /// + /// + /// relationshipCategory + /// "ASSOCIATION" | "AGGREGATION" | "COMPOSITION" + /// + /// + /// The Relationship category determines the style of relationship around containment and lifecycle. + /// UML terminology is used for the values. + /// <p> + /// ASSOCIATION is a relationship with no containment. <br> + /// COMPOSITION and AGGREGATION are containment relationships. + /// <p> + /// The difference being in the lifecycles of the container and its children. In the COMPOSITION case, + /// the children cannot exist without the container. For AGGREGATION, the life cycles + /// of the container and children are totally independent. + /// + /// + /// + /// relationshipLabel + /// string + /// + /// The label of the relationship. + /// + /// + /// Schema for AtlasStructDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// Schema for TermTemplateDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// attributeDefs + /// AtlasAttributeDef[] + /// + /// An array of attribute definitions. + /// + /// + /// category + /// "PRIMITIVE" | "OBJECT_ID_TYPE" | "ENUM" | "STRUCT" | "CLASSIFICATION" | "ENTITY" | "ARRAY" | "MAP" | "RELATIONSHIP" | "TERM_TEMPLATE" + /// + /// The enum of type category. + /// + /// + /// createTime + /// number + /// + /// The created time of the record. + /// + /// + /// createdBy + /// string + /// + /// The user who created the record. + /// + /// + /// dateFormatter + /// DateFormat + /// + /// The date format. + /// + /// + /// description + /// string + /// + /// The description of the type definition. + /// + /// + /// guid + /// string + /// + /// The GUID of the type definition. + /// + /// + /// name + /// string + /// + /// The name of the type definition. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the type definition. + /// + /// + /// serviceType + /// string + /// + /// The service type. + /// + /// + /// typeVersion + /// string + /// + /// The version of the type. + /// + /// + /// updateTime + /// number + /// + /// The update time of the record. + /// + /// + /// updatedBy + /// string + /// + /// The user who updated the record. + /// + /// + /// version + /// number + /// + /// The version of the record. + /// + /// + /// lastModifiedTS + /// string + /// + /// ETag for concurrency control. + /// + /// + /// Schema for DateFormat: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// availableLocales + /// string[] + /// + /// An array of available locales. + /// + /// + /// calendar + /// number + /// + /// + /// + /// + /// dateInstance + /// DateFormat + /// + /// The date format. + /// + /// + /// dateTimeInstance + /// DateFormat + /// + /// The date format. + /// + /// + /// instance + /// DateFormat + /// + /// The date format. + /// + /// + /// lenient + /// boolean + /// + /// Determines the leniency of the date format. + /// + /// + /// numberFormat + /// NumberFormat + /// + /// The number format. + /// + /// + /// timeInstance + /// DateFormat + /// + /// The date format. + /// + /// + /// timeZone + /// TimeZone + /// + /// The timezone information. + /// + /// + /// Schema for AtlasRelationshipEndDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// cardinality + /// "SINGLE" | "LIST" | "SET" + /// + /// single-valued attribute or multi-valued attribute. + /// + /// + /// description + /// string + /// + /// The description of the relationship end definition. + /// + /// + /// isContainer + /// boolean + /// + /// Determines if it is container. + /// + /// + /// isLegacyAttribute + /// boolean + /// + /// Determines if it is a legacy attribute. + /// + /// + /// name + /// string + /// + /// The name of the relationship end definition. + /// + /// + /// type + /// string + /// + /// The type of the relationship end. + /// + /// + /// Schema for AtlasAttributeDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// cardinality + /// "SINGLE" | "LIST" | "SET" + /// + /// single-valued attribute or multi-valued attribute. + /// + /// + /// constraints + /// AtlasConstraintDef[] + /// + /// An array of constraints. + /// + /// + /// defaultValue + /// string + /// + /// The default value of the attribute. + /// + /// + /// description + /// string + /// + /// The description of the attribute. + /// + /// + /// includeInNotification + /// boolean + /// + /// Determines if it is included in notification. + /// + /// + /// isIndexable + /// boolean + /// + /// Determines if it is indexable. + /// + /// + /// isOptional + /// boolean + /// + /// Determines if it is optional. + /// + /// + /// isUnique + /// boolean + /// + /// Determines if it unique. + /// + /// + /// name + /// string + /// + /// The name of the attribute. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the attribute. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// valuesMaxCount + /// number + /// + /// The maximum count of the values. + /// + /// + /// valuesMinCount + /// number + /// + /// The minimum count of the values. + /// + /// + /// Schema for NumberFormat: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// availableLocales + /// string[] + /// + /// The number format. + /// + /// + /// currency + /// string + /// + /// The currency. + /// + /// + /// currencyInstance + /// NumberFormat + /// + /// The number format. + /// + /// + /// groupingUsed + /// boolean + /// + /// Determines if grouping is used. + /// + /// + /// instance + /// NumberFormat + /// + /// The number format. + /// + /// + /// integerInstance + /// NumberFormat + /// + /// The number format. + /// + /// + /// maximumFractionDigits + /// number + /// + /// The maximum of fraction digits. + /// + /// + /// maximumIntegerDigits + /// number + /// + /// The maximum of integer digits. + /// + /// + /// minimumFractionDigits + /// number + /// + /// The minimum of fraction digits. + /// + /// + /// minimumIntegerDigits + /// number + /// + /// The minimum of integer digits. + /// + /// + /// numberInstance + /// NumberFormat + /// + /// The number format. + /// + /// + /// parseIntegerOnly + /// boolean + /// + /// Determines if only integer is parsed. + /// + /// + /// percentInstance + /// NumberFormat + /// + /// The number format. + /// + /// + /// roundingMode + /// "UP" | "DOWN" | "CEILING" | "FLOOR" | "HALF_UP" | "HALF_DOWN" | "HALF_EVEN" | "UNNECESSARY" + /// + /// The enum of rounding mode. + /// + /// + /// Schema for TimeZone: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// dstSavings + /// number + /// + /// The value of the daylight saving time. + /// + /// + /// id + /// string + /// + /// The ID of the timezone. + /// + /// + /// availableIds + /// string[] + /// + /// An array of available IDs. + /// + /// + /// default + /// TimeZone + /// + /// The timezone information. + /// + /// + /// displayName + /// string + /// + /// The display name of the timezone. + /// + /// + /// rawOffset + /// number + /// + /// The raw offset of the timezone. + /// + /// + /// Schema for AtlasRelationshipAttributeDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// cardinality + /// "SINGLE" | "LIST" | "SET" + /// + /// single-valued attribute or multi-valued attribute. + /// + /// + /// constraints + /// AtlasConstraintDef[] + /// + /// An array of constraints. + /// + /// + /// defaultValue + /// string + /// + /// The default value of the attribute. + /// + /// + /// description + /// string + /// + /// The description of the attribute. + /// + /// + /// includeInNotification + /// boolean + /// + /// Determines if it is included in notification. + /// + /// + /// isIndexable + /// boolean + /// + /// Determines if it is indexable. + /// + /// + /// isOptional + /// boolean + /// + /// Determines if it is optional. + /// + /// + /// isUnique + /// boolean + /// + /// Determines if it unique. + /// + /// + /// name + /// string + /// + /// The name of the attribute. + /// + /// + /// options + /// Dictionary<string, string> + /// + /// The options for the attribute. + /// + /// + /// typeName + /// string + /// + /// The name of the type. + /// + /// + /// valuesMaxCount + /// number + /// + /// The maximum count of the values. + /// + /// + /// valuesMinCount + /// number + /// + /// The minimum count of the values. + /// + /// + /// isLegacyAttribute + /// boolean + /// + /// Determines if it is a legacy attribute. + /// + /// + /// relationshipTypeName + /// string + /// + /// The name of the relationship type. + /// + /// + /// Schema for AtlasEnumElementDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// description + /// string + /// + /// The description of the enum element definition. + /// + /// + /// ordinal + /// number + /// + /// The ordinal of the enum element definition. + /// + /// + /// value + /// string + /// + /// The value of the enum element definition. + /// + /// + /// Schema for AtlasConstraintDef: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// params + /// Dictionary<string, AnyObject> + /// + /// The parameters of the constraint definition. + /// + /// + /// type + /// string + /// + /// The type of the constraint. + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual Response DeleteTypeDefs(RequestContent requestBody, CancellationToken cancellationToken = default) diff --git a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewClassificationRuleClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewClassificationRuleClient.cs index 6fa6c1d7c0ce..d1e7d10d2fd4 100644 --- a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewClassificationRuleClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewClassificationRuleClient.cs @@ -91,6 +91,35 @@ private Request CreateGetPropertiesRequest() } /// Creates or Updates a classification rule. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// + /// + /// + /// name + /// string + /// + /// + /// + /// + /// kind + /// "System" | "Custom" + /// Yes + /// + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual async Task CreateOrUpdateAsync(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -100,6 +129,35 @@ public virtual async Task CreateOrUpdateAsync(RequestContent requestBo } /// Creates or Updates a classification rule. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// + /// + /// + /// name + /// string + /// + /// + /// + /// + /// kind + /// "System" | "Custom" + /// Yes + /// + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual Response CreateOrUpdate(RequestContent requestBody, CancellationToken cancellationToken = default) diff --git a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewDataSourceClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewDataSourceClient.cs index f02bc54bf439..8155caabc128 100644 --- a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewDataSourceClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewDataSourceClient.cs @@ -59,6 +59,299 @@ public PurviewDataSourceClient(Uri endpoint, string dataSourceName, TokenCredent } /// Creates or Updates a data source. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// + /// + /// + /// name + /// string + /// + /// + /// + /// + /// kind + /// "None" | "Collection" | "AzureSubscription" | "AzureResourceGroup" | "AzureSynapseWorkspace" | "AzureSynapse" | "AdlsGen1" | "AdlsGen2" | "AmazonAccount" | "AmazonS3" | "AmazonSql" | "AzureCosmosDb" | "AzureDataExplorer" | "AzureFileService" | "AzureSqlDatabase" | "AmazonPostgreSql" | "AzurePostgreSql" | "SqlServerDatabase" | "AzureSqlDatabaseManagedInstance" | "AzureSqlDataWarehouse" | "AzureMySql" | "AzureStorage" | "Teradata" | "Oracle" | "SapS4Hana" | "SapEcc" | "PowerBI" + /// Yes + /// + /// + /// + /// scans + /// Scan[] + /// + /// + /// + /// + /// Schema for Scan: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// + /// + /// + /// name + /// string + /// + /// + /// + /// + /// kind + /// "AzureSubscriptionCredential" | "AzureSubscriptionMsi" | "AzureResourceGroupCredential" | "AzureResourceGroupMsi" | "AzureSynapseWorkspaceCredential" | "AzureSynapseWorkspaceMsi" | "AzureSynapseCredential" | "AzureSynapseMsi" | "AdlsGen1Credential" | "AdlsGen1Msi" | "AdlsGen2Credential" | "AdlsGen2Msi" | "AmazonAccountCredential" | "AmazonS3Credential" | "AmazonS3RoleARN" | "AmazonSqlCredential" | "AzureCosmosDbCredential" | "AzureDataExplorerCredential" | "AzureDataExplorerMsi" | "AzureFileServiceCredential" | "AzureSqlDatabaseCredential" | "AzureSqlDatabaseMsi" | "AmazonPostgreSqlCredential" | "AzurePostgreSqlCredential" | "SqlServerDatabaseCredential" | "AzureSqlDatabaseManagedInstanceCredential" | "AzureSqlDatabaseManagedInstanceMsi" | "AzureSqlDataWarehouseCredential" | "AzureSqlDataWarehouseMsi" | "AzureMySqlCredential" | "AzureStorageCredential" | "AzureStorageMsi" | "TeradataTeradataCredential" | "TeradataTeradataUserPass" | "TeradataUserPass" | "OracleOracleCredential" | "OracleOracleUserPass" | "SapS4HanaSapS4HanaCredential" | "SapS4HanaSapS4HanaUserPass" | "SapEccSapEccCredential" | "SapEccSapEccUserPass" | "PowerBIDelegated" | "PowerBIMsi" + /// Yes + /// + /// + /// + /// scanResults + /// ScanResult[] + /// + /// + /// + /// + /// Schema for ScanResult: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// parentId + /// string + /// + /// + /// + /// + /// id + /// string + /// + /// + /// + /// + /// resourceId + /// string + /// + /// + /// + /// + /// status + /// string + /// + /// + /// + /// + /// assetsDiscovered + /// number + /// + /// + /// + /// + /// assetsClassified + /// number + /// + /// + /// + /// + /// diagnostics + /// ScanResultDiagnostics + /// + /// + /// + /// + /// startTime + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// queuedTime + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// pipelineStartTime + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// endTime + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// scanRulesetVersion + /// number + /// + /// + /// + /// + /// scanRulesetType + /// "Custom" | "System" + /// + /// + /// + /// + /// scanLevelType + /// "Full" | "Incremental" + /// + /// + /// + /// + /// errorMessage + /// string + /// + /// + /// + /// + /// error + /// ScanResultError + /// + /// + /// + /// + /// runType + /// string + /// + /// + /// + /// + /// dataSourceType + /// "None" | "Collection" | "AzureSubscription" | "AzureResourceGroup" | "AzureSynapseWorkspace" | "AzureSynapse" | "AdlsGen1" | "AdlsGen2" | "AmazonAccount" | "AmazonS3" | "AmazonSql" | "AzureCosmosDb" | "AzureDataExplorer" | "AzureFileService" | "AzureSqlDatabase" | "AmazonPostgreSql" | "AzurePostgreSql" | "SqlServerDatabase" | "AzureSqlDatabaseManagedInstance" | "AzureSqlDataWarehouse" | "AzureMySql" | "AzureStorage" | "Teradata" | "Oracle" | "SapS4Hana" | "SapEcc" | "PowerBI" + /// + /// + /// + /// + /// Schema for ScanResultDiagnostics: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// notifications + /// Notification[] + /// + /// + /// + /// + /// exceptionCountMap + /// Dictionary<string, number> + /// + /// Dictionary of <integer>. + /// + /// + /// Schema for ScanResultError: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// code + /// string + /// + /// + /// + /// + /// message + /// string + /// + /// + /// + /// + /// target + /// string + /// + /// + /// + /// + /// details + /// ErrorModel[] + /// + /// + /// + /// + /// Schema for Notification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// message + /// string + /// + /// + /// + /// + /// code + /// number + /// + /// + /// + /// + /// Schema for ErrorModel: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// code + /// string + /// + /// + /// + /// + /// message + /// string + /// + /// + /// + /// + /// target + /// string + /// + /// + /// + /// + /// details + /// ErrorModel[] + /// + /// + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual async Task CreateOrUpdateAsync(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -68,6 +361,299 @@ public virtual async Task CreateOrUpdateAsync(RequestContent requestBo } /// Creates or Updates a data source. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// + /// + /// + /// name + /// string + /// + /// + /// + /// + /// kind + /// "None" | "Collection" | "AzureSubscription" | "AzureResourceGroup" | "AzureSynapseWorkspace" | "AzureSynapse" | "AdlsGen1" | "AdlsGen2" | "AmazonAccount" | "AmazonS3" | "AmazonSql" | "AzureCosmosDb" | "AzureDataExplorer" | "AzureFileService" | "AzureSqlDatabase" | "AmazonPostgreSql" | "AzurePostgreSql" | "SqlServerDatabase" | "AzureSqlDatabaseManagedInstance" | "AzureSqlDataWarehouse" | "AzureMySql" | "AzureStorage" | "Teradata" | "Oracle" | "SapS4Hana" | "SapEcc" | "PowerBI" + /// Yes + /// + /// + /// + /// scans + /// Scan[] + /// + /// + /// + /// + /// Schema for Scan: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// + /// + /// + /// name + /// string + /// + /// + /// + /// + /// kind + /// "AzureSubscriptionCredential" | "AzureSubscriptionMsi" | "AzureResourceGroupCredential" | "AzureResourceGroupMsi" | "AzureSynapseWorkspaceCredential" | "AzureSynapseWorkspaceMsi" | "AzureSynapseCredential" | "AzureSynapseMsi" | "AdlsGen1Credential" | "AdlsGen1Msi" | "AdlsGen2Credential" | "AdlsGen2Msi" | "AmazonAccountCredential" | "AmazonS3Credential" | "AmazonS3RoleARN" | "AmazonSqlCredential" | "AzureCosmosDbCredential" | "AzureDataExplorerCredential" | "AzureDataExplorerMsi" | "AzureFileServiceCredential" | "AzureSqlDatabaseCredential" | "AzureSqlDatabaseMsi" | "AmazonPostgreSqlCredential" | "AzurePostgreSqlCredential" | "SqlServerDatabaseCredential" | "AzureSqlDatabaseManagedInstanceCredential" | "AzureSqlDatabaseManagedInstanceMsi" | "AzureSqlDataWarehouseCredential" | "AzureSqlDataWarehouseMsi" | "AzureMySqlCredential" | "AzureStorageCredential" | "AzureStorageMsi" | "TeradataTeradataCredential" | "TeradataTeradataUserPass" | "TeradataUserPass" | "OracleOracleCredential" | "OracleOracleUserPass" | "SapS4HanaSapS4HanaCredential" | "SapS4HanaSapS4HanaUserPass" | "SapEccSapEccCredential" | "SapEccSapEccUserPass" | "PowerBIDelegated" | "PowerBIMsi" + /// Yes + /// + /// + /// + /// scanResults + /// ScanResult[] + /// + /// + /// + /// + /// Schema for ScanResult: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// parentId + /// string + /// + /// + /// + /// + /// id + /// string + /// + /// + /// + /// + /// resourceId + /// string + /// + /// + /// + /// + /// status + /// string + /// + /// + /// + /// + /// assetsDiscovered + /// number + /// + /// + /// + /// + /// assetsClassified + /// number + /// + /// + /// + /// + /// diagnostics + /// ScanResultDiagnostics + /// + /// + /// + /// + /// startTime + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// queuedTime + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// pipelineStartTime + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// endTime + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// scanRulesetVersion + /// number + /// + /// + /// + /// + /// scanRulesetType + /// "Custom" | "System" + /// + /// + /// + /// + /// scanLevelType + /// "Full" | "Incremental" + /// + /// + /// + /// + /// errorMessage + /// string + /// + /// + /// + /// + /// error + /// ScanResultError + /// + /// + /// + /// + /// runType + /// string + /// + /// + /// + /// + /// dataSourceType + /// "None" | "Collection" | "AzureSubscription" | "AzureResourceGroup" | "AzureSynapseWorkspace" | "AzureSynapse" | "AdlsGen1" | "AdlsGen2" | "AmazonAccount" | "AmazonS3" | "AmazonSql" | "AzureCosmosDb" | "AzureDataExplorer" | "AzureFileService" | "AzureSqlDatabase" | "AmazonPostgreSql" | "AzurePostgreSql" | "SqlServerDatabase" | "AzureSqlDatabaseManagedInstance" | "AzureSqlDataWarehouse" | "AzureMySql" | "AzureStorage" | "Teradata" | "Oracle" | "SapS4Hana" | "SapEcc" | "PowerBI" + /// + /// + /// + /// + /// Schema for ScanResultDiagnostics: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// notifications + /// Notification[] + /// + /// + /// + /// + /// exceptionCountMap + /// Dictionary<string, number> + /// + /// Dictionary of <integer>. + /// + /// + /// Schema for ScanResultError: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// code + /// string + /// + /// + /// + /// + /// message + /// string + /// + /// + /// + /// + /// target + /// string + /// + /// + /// + /// + /// details + /// ErrorModel[] + /// + /// + /// + /// + /// Schema for Notification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// message + /// string + /// + /// + /// + /// + /// code + /// number + /// + /// + /// + /// + /// Schema for ErrorModel: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// code + /// string + /// + /// + /// + /// + /// message + /// string + /// + /// + /// + /// + /// target + /// string + /// + /// + /// + /// + /// details + /// ErrorModel[] + /// + /// + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual Response CreateOrUpdate(RequestContent requestBody, CancellationToken cancellationToken = default) diff --git a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewScanClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewScanClient.cs index 03f6aaa670fe..8998d80d6267 100644 --- a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewScanClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewScanClient.cs @@ -101,6 +101,56 @@ private Request CreateGetFilterRequest() } /// Creates or updates a filter. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// + /// + /// + /// name + /// string + /// + /// + /// + /// + /// properties + /// FilterPropertiesAutoGenerated + /// + /// + /// + /// + /// Schema for FilterPropertiesAutoGenerated: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// excludeUriPrefixes + /// string[] + /// + /// + /// + /// + /// includeUriPrefixes + /// string[] + /// + /// + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual async Task CreateOrUpdateFilterAsync(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -110,6 +160,56 @@ public virtual async Task CreateOrUpdateFilterAsync(RequestContent req } /// Creates or updates a filter. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// + /// + /// + /// name + /// string + /// + /// + /// + /// + /// properties + /// FilterPropertiesAutoGenerated + /// + /// + /// + /// + /// Schema for FilterPropertiesAutoGenerated: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// excludeUriPrefixes + /// string[] + /// + /// + /// + /// + /// includeUriPrefixes + /// string[] + /// + /// + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual Response CreateOrUpdateFilter(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -141,6 +241,266 @@ private Request CreateCreateOrUpdateFilterRequest(RequestContent requestBody) } /// Creates an instance of a scan. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// + /// + /// + /// name + /// string + /// + /// + /// + /// + /// kind + /// "AzureSubscriptionCredential" | "AzureSubscriptionMsi" | "AzureResourceGroupCredential" | "AzureResourceGroupMsi" | "AzureSynapseWorkspaceCredential" | "AzureSynapseWorkspaceMsi" | "AzureSynapseCredential" | "AzureSynapseMsi" | "AdlsGen1Credential" | "AdlsGen1Msi" | "AdlsGen2Credential" | "AdlsGen2Msi" | "AmazonAccountCredential" | "AmazonS3Credential" | "AmazonS3RoleARN" | "AmazonSqlCredential" | "AzureCosmosDbCredential" | "AzureDataExplorerCredential" | "AzureDataExplorerMsi" | "AzureFileServiceCredential" | "AzureSqlDatabaseCredential" | "AzureSqlDatabaseMsi" | "AmazonPostgreSqlCredential" | "AzurePostgreSqlCredential" | "SqlServerDatabaseCredential" | "AzureSqlDatabaseManagedInstanceCredential" | "AzureSqlDatabaseManagedInstanceMsi" | "AzureSqlDataWarehouseCredential" | "AzureSqlDataWarehouseMsi" | "AzureMySqlCredential" | "AzureStorageCredential" | "AzureStorageMsi" | "TeradataTeradataCredential" | "TeradataTeradataUserPass" | "TeradataUserPass" | "OracleOracleCredential" | "OracleOracleUserPass" | "SapS4HanaSapS4HanaCredential" | "SapS4HanaSapS4HanaUserPass" | "SapEccSapEccCredential" | "SapEccSapEccUserPass" | "PowerBIDelegated" | "PowerBIMsi" + /// Yes + /// + /// + /// + /// scanResults + /// ScanResult[] + /// + /// + /// + /// + /// Schema for ScanResult: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// parentId + /// string + /// + /// + /// + /// + /// id + /// string + /// + /// + /// + /// + /// resourceId + /// string + /// + /// + /// + /// + /// status + /// string + /// + /// + /// + /// + /// assetsDiscovered + /// number + /// + /// + /// + /// + /// assetsClassified + /// number + /// + /// + /// + /// + /// diagnostics + /// ScanResultDiagnostics + /// + /// + /// + /// + /// startTime + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// queuedTime + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// pipelineStartTime + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// endTime + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// scanRulesetVersion + /// number + /// + /// + /// + /// + /// scanRulesetType + /// "Custom" | "System" + /// + /// + /// + /// + /// scanLevelType + /// "Full" | "Incremental" + /// + /// + /// + /// + /// errorMessage + /// string + /// + /// + /// + /// + /// error + /// ScanResultError + /// + /// + /// + /// + /// runType + /// string + /// + /// + /// + /// + /// dataSourceType + /// "None" | "Collection" | "AzureSubscription" | "AzureResourceGroup" | "AzureSynapseWorkspace" | "AzureSynapse" | "AdlsGen1" | "AdlsGen2" | "AmazonAccount" | "AmazonS3" | "AmazonSql" | "AzureCosmosDb" | "AzureDataExplorer" | "AzureFileService" | "AzureSqlDatabase" | "AmazonPostgreSql" | "AzurePostgreSql" | "SqlServerDatabase" | "AzureSqlDatabaseManagedInstance" | "AzureSqlDataWarehouse" | "AzureMySql" | "AzureStorage" | "Teradata" | "Oracle" | "SapS4Hana" | "SapEcc" | "PowerBI" + /// + /// + /// + /// + /// Schema for ScanResultDiagnostics: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// notifications + /// Notification[] + /// + /// + /// + /// + /// exceptionCountMap + /// Dictionary<string, number> + /// + /// Dictionary of <integer>. + /// + /// + /// Schema for ScanResultError: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// code + /// string + /// + /// + /// + /// + /// message + /// string + /// + /// + /// + /// + /// target + /// string + /// + /// + /// + /// + /// details + /// ErrorModel[] + /// + /// + /// + /// + /// Schema for Notification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// message + /// string + /// + /// + /// + /// + /// code + /// number + /// + /// + /// + /// + /// Schema for ErrorModel: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// code + /// string + /// + /// + /// + /// + /// message + /// string + /// + /// + /// + /// + /// target + /// string + /// + /// + /// + /// + /// details + /// ErrorModel[] + /// + /// + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual async Task CreateOrUpdateAsync(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -150,6 +510,266 @@ public virtual async Task CreateOrUpdateAsync(RequestContent requestBo } /// Creates an instance of a scan. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// + /// + /// + /// name + /// string + /// + /// + /// + /// + /// kind + /// "AzureSubscriptionCredential" | "AzureSubscriptionMsi" | "AzureResourceGroupCredential" | "AzureResourceGroupMsi" | "AzureSynapseWorkspaceCredential" | "AzureSynapseWorkspaceMsi" | "AzureSynapseCredential" | "AzureSynapseMsi" | "AdlsGen1Credential" | "AdlsGen1Msi" | "AdlsGen2Credential" | "AdlsGen2Msi" | "AmazonAccountCredential" | "AmazonS3Credential" | "AmazonS3RoleARN" | "AmazonSqlCredential" | "AzureCosmosDbCredential" | "AzureDataExplorerCredential" | "AzureDataExplorerMsi" | "AzureFileServiceCredential" | "AzureSqlDatabaseCredential" | "AzureSqlDatabaseMsi" | "AmazonPostgreSqlCredential" | "AzurePostgreSqlCredential" | "SqlServerDatabaseCredential" | "AzureSqlDatabaseManagedInstanceCredential" | "AzureSqlDatabaseManagedInstanceMsi" | "AzureSqlDataWarehouseCredential" | "AzureSqlDataWarehouseMsi" | "AzureMySqlCredential" | "AzureStorageCredential" | "AzureStorageMsi" | "TeradataTeradataCredential" | "TeradataTeradataUserPass" | "TeradataUserPass" | "OracleOracleCredential" | "OracleOracleUserPass" | "SapS4HanaSapS4HanaCredential" | "SapS4HanaSapS4HanaUserPass" | "SapEccSapEccCredential" | "SapEccSapEccUserPass" | "PowerBIDelegated" | "PowerBIMsi" + /// Yes + /// + /// + /// + /// scanResults + /// ScanResult[] + /// + /// + /// + /// + /// Schema for ScanResult: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// parentId + /// string + /// + /// + /// + /// + /// id + /// string + /// + /// + /// + /// + /// resourceId + /// string + /// + /// + /// + /// + /// status + /// string + /// + /// + /// + /// + /// assetsDiscovered + /// number + /// + /// + /// + /// + /// assetsClassified + /// number + /// + /// + /// + /// + /// diagnostics + /// ScanResultDiagnostics + /// + /// + /// + /// + /// startTime + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// queuedTime + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// pipelineStartTime + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// endTime + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// scanRulesetVersion + /// number + /// + /// + /// + /// + /// scanRulesetType + /// "Custom" | "System" + /// + /// + /// + /// + /// scanLevelType + /// "Full" | "Incremental" + /// + /// + /// + /// + /// errorMessage + /// string + /// + /// + /// + /// + /// error + /// ScanResultError + /// + /// + /// + /// + /// runType + /// string + /// + /// + /// + /// + /// dataSourceType + /// "None" | "Collection" | "AzureSubscription" | "AzureResourceGroup" | "AzureSynapseWorkspace" | "AzureSynapse" | "AdlsGen1" | "AdlsGen2" | "AmazonAccount" | "AmazonS3" | "AmazonSql" | "AzureCosmosDb" | "AzureDataExplorer" | "AzureFileService" | "AzureSqlDatabase" | "AmazonPostgreSql" | "AzurePostgreSql" | "SqlServerDatabase" | "AzureSqlDatabaseManagedInstance" | "AzureSqlDataWarehouse" | "AzureMySql" | "AzureStorage" | "Teradata" | "Oracle" | "SapS4Hana" | "SapEcc" | "PowerBI" + /// + /// + /// + /// + /// Schema for ScanResultDiagnostics: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// notifications + /// Notification[] + /// + /// + /// + /// + /// exceptionCountMap + /// Dictionary<string, number> + /// + /// Dictionary of <integer>. + /// + /// + /// Schema for ScanResultError: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// code + /// string + /// + /// + /// + /// + /// message + /// string + /// + /// + /// + /// + /// target + /// string + /// + /// + /// + /// + /// details + /// ErrorModel[] + /// + /// + /// + /// + /// Schema for Notification: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// message + /// string + /// + /// + /// + /// + /// code + /// number + /// + /// + /// + /// + /// Schema for ErrorModel: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// code + /// string + /// + /// + /// + /// + /// message + /// string + /// + /// + /// + /// + /// target + /// string + /// + /// + /// + /// + /// details + /// ErrorModel[] + /// + /// + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual Response CreateOrUpdate(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -404,6 +1024,203 @@ private Request CreateGetTriggerRequest() } /// Creates an instance of a trigger. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// + /// + /// + /// name + /// string + /// + /// + /// + /// + /// properties + /// TriggerPropertiesAutoGenerated + /// + /// + /// + /// + /// Schema for TriggerPropertiesAutoGenerated: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// recurrence + /// TriggerPropertiesRecurrence + /// + /// + /// + /// + /// recurrenceInterval + /// string + /// + /// + /// + /// + /// createdAt + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// lastModifiedAt + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// lastScheduled + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// scanLevel + /// "Full" | "Incremental" + /// + /// + /// + /// + /// incrementalScanStartTime + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// Schema for TriggerPropertiesRecurrence: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// frequency + /// "Week" | "Month" + /// + /// + /// + /// + /// interval + /// number + /// + /// + /// + /// + /// startTime + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// endTime + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// schedule + /// TriggerRecurrenceSchedule + /// + /// + /// + /// + /// timeZone + /// string + /// + /// + /// + /// + /// Schema for TriggerRecurrenceSchedule: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// additionalProperties + /// Dictionary<string, AnyObject> + /// + /// Dictionary of <AnyObject>. + /// + /// + /// minutes + /// number[] + /// + /// + /// + /// + /// hours + /// number[] + /// + /// + /// + /// + /// weekDays + /// "Sunday" | "Monday" | "Tuesday" | "Wednesday" | "Thursday" | "Friday" | "Saturday"[] + /// + /// + /// + /// + /// monthDays + /// number[] + /// + /// + /// + /// + /// monthlyOccurrences + /// RecurrenceScheduleOccurrence[] + /// + /// + /// + /// + /// Schema for RecurrenceScheduleOccurrence: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// additionalProperties + /// Dictionary<string, AnyObject> + /// + /// Dictionary of <AnyObject>. + /// + /// + /// day + /// "Sunday" | "Monday" | "Tuesday" | "Wednesday" | "Thursday" | "Friday" | "Saturday" + /// + /// + /// + /// + /// occurrence + /// number + /// + /// + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual async Task CreateOrUpdateTriggerAsync(RequestContent requestBody, CancellationToken cancellationToken = default) @@ -413,6 +1230,203 @@ public virtual async Task CreateOrUpdateTriggerAsync(RequestContent re } /// Creates an instance of a trigger. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// + /// + /// + /// name + /// string + /// + /// + /// + /// + /// properties + /// TriggerPropertiesAutoGenerated + /// + /// + /// + /// + /// Schema for TriggerPropertiesAutoGenerated: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// recurrence + /// TriggerPropertiesRecurrence + /// + /// + /// + /// + /// recurrenceInterval + /// string + /// + /// + /// + /// + /// createdAt + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// lastModifiedAt + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// lastScheduled + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// scanLevel + /// "Full" | "Incremental" + /// + /// + /// + /// + /// incrementalScanStartTime + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// Schema for TriggerPropertiesRecurrence: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// frequency + /// "Week" | "Month" + /// + /// + /// + /// + /// interval + /// number + /// + /// + /// + /// + /// startTime + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// endTime + /// string (ISO 8601 Format) + /// + /// + /// + /// + /// schedule + /// TriggerRecurrenceSchedule + /// + /// + /// + /// + /// timeZone + /// string + /// + /// + /// + /// + /// Schema for TriggerRecurrenceSchedule: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// additionalProperties + /// Dictionary<string, AnyObject> + /// + /// Dictionary of <AnyObject>. + /// + /// + /// minutes + /// number[] + /// + /// + /// + /// + /// hours + /// number[] + /// + /// + /// + /// + /// weekDays + /// "Sunday" | "Monday" | "Tuesday" | "Wednesday" | "Thursday" | "Friday" | "Saturday"[] + /// + /// + /// + /// + /// monthDays + /// number[] + /// + /// + /// + /// + /// monthlyOccurrences + /// RecurrenceScheduleOccurrence[] + /// + /// + /// + /// + /// Schema for RecurrenceScheduleOccurrence: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// additionalProperties + /// Dictionary<string, AnyObject> + /// + /// Dictionary of <AnyObject>. + /// + /// + /// day + /// "Sunday" | "Monday" | "Tuesday" | "Wednesday" | "Thursday" | "Friday" | "Saturday" + /// + /// + /// + /// + /// occurrence + /// number + /// + /// + /// + /// + /// /// The request body. /// The cancellation token to use. public virtual Response CreateOrUpdateTrigger(RequestContent requestBody, CancellationToken cancellationToken = default) diff --git a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewScanningServiceClient.cs b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewScanningServiceClient.cs index 81fc0b1fff7b..f6e4db172a8e 100644 --- a/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewScanningServiceClient.cs +++ b/sdk/purview/Azure.Analytics.Purview.Scanning/src/Generated/PurviewScanningServiceClient.cs @@ -87,6 +87,56 @@ private Request CreateGetKeyVaultReferenceRequest(string azureKeyVaultName) } /// Creates an instance of a azureKeyVault. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// + /// + /// + /// name + /// string + /// + /// + /// + /// + /// properties + /// AzureKeyVaultPropertiesAutoGenerated + /// + /// + /// + /// + /// Schema for AzureKeyVaultPropertiesAutoGenerated: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// baseUrl + /// string + /// + /// + /// + /// + /// description + /// string + /// + /// + /// + /// + /// /// The String to use. /// The request body. /// The cancellation token to use. @@ -97,6 +147,56 @@ public virtual async Task CreateOrUpdateKeyVaultReferenceAsync(string } /// Creates an instance of a azureKeyVault. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// id + /// string + /// + /// + /// + /// + /// name + /// string + /// + /// + /// + /// + /// properties + /// AzureKeyVaultPropertiesAutoGenerated + /// + /// + /// + /// + /// Schema for AzureKeyVaultPropertiesAutoGenerated: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// baseUrl + /// string + /// + /// + /// + /// + /// description + /// string + /// + /// + /// + /// + /// /// The String to use. /// The request body. /// The cancellation token to use. @@ -321,6 +421,53 @@ private Request CreateGetScanRulesetRequest(string scanRulesetName) } /// Creates or Updates a scan ruleset. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// scanRulesetType + /// "Custom" | "System" + /// + /// + /// + /// + /// status + /// "Enabled" | "Disabled" + /// + /// + /// + /// + /// version + /// number + /// + /// + /// + /// + /// id + /// string + /// + /// + /// + /// + /// name + /// string + /// + /// + /// + /// + /// kind + /// "None" | "Collection" | "AzureSubscription" | "AzureResourceGroup" | "AzureSynapseWorkspace" | "AzureSynapse" | "AdlsGen1" | "AdlsGen2" | "AmazonAccount" | "AmazonS3" | "AmazonSql" | "AzureCosmosDb" | "AzureDataExplorer" | "AzureFileService" | "AzureSqlDatabase" | "AmazonPostgreSql" | "AzurePostgreSql" | "SqlServerDatabase" | "AzureSqlDatabaseManagedInstance" | "AzureSqlDataWarehouse" | "AzureMySql" | "AzureStorage" | "Teradata" | "Oracle" | "SapS4Hana" | "SapEcc" | "PowerBI" + /// Yes + /// + /// + /// + /// /// The String to use. /// The request body. /// The cancellation token to use. @@ -331,6 +478,53 @@ public virtual async Task CreateOrUpdateScanRuelsetAsync(string scanRu } /// Creates or Updates a scan ruleset. + /// + /// Schema for Request Body: + /// + /// + /// Name + /// Type + /// Required + /// Description + /// + /// + /// scanRulesetType + /// "Custom" | "System" + /// + /// + /// + /// + /// status + /// "Enabled" | "Disabled" + /// + /// + /// + /// + /// version + /// number + /// + /// + /// + /// + /// id + /// string + /// + /// + /// + /// + /// name + /// string + /// + /// + /// + /// + /// kind + /// "None" | "Collection" | "AzureSubscription" | "AzureResourceGroup" | "AzureSynapseWorkspace" | "AzureSynapse" | "AdlsGen1" | "AdlsGen2" | "AmazonAccount" | "AmazonS3" | "AmazonSql" | "AzureCosmosDb" | "AzureDataExplorer" | "AzureFileService" | "AzureSqlDatabase" | "AmazonPostgreSql" | "AzurePostgreSql" | "SqlServerDatabase" | "AzureSqlDatabaseManagedInstance" | "AzureSqlDataWarehouse" | "AzureMySql" | "AzureStorage" | "Teradata" | "Oracle" | "SapS4Hana" | "SapEcc" | "PowerBI" + /// Yes + /// + /// + /// + /// /// The String to use. /// The request body. /// The cancellation token to use. diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/README.md b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/README.md index 8939338d3f43..6a4a2284913d 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/README.md +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/README.md @@ -109,7 +109,7 @@ foreach (NotebookResource notebook in notebooks) ```C# Snippet:DeleteNotebook NotebookDeleteNotebookOperation deleteNotebookOperation = client.StartDeleteNotebook(notebookName); -await deleteNotebookOperation.WaitForCompletionAsync(); +await deleteNotebookOperation.WaitForCompletionResponseAsync(); ``` ## To build diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/api/Azure.Analytics.Synapse.Artifacts.netstandard2.0.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/api/Azure.Analytics.Synapse.Artifacts.netstandard2.0.cs index 41212fa9b258..6096d7d455a5 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/api/Azure.Analytics.Synapse.Artifacts.netstandard2.0.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/api/Azure.Analytics.Synapse.Artifacts.netstandard2.0.cs @@ -86,31 +86,27 @@ protected DataFlowDebugSessionExecuteCommandOperation() { } public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } - public partial class DataFlowDeleteDataFlowOperation : Azure.Operation + public partial class DataFlowDeleteDataFlowOperation : Azure.Operation { protected DataFlowDeleteDataFlowOperation() { } public override bool HasCompleted { get { throw null; } } - public override bool HasValue { get { throw null; } } public override string Id { get { throw null; } } - public override Azure.Response Value { get { throw null; } } public override Azure.Response GetRawResponse() { throw null; } public override Azure.Response UpdateStatus(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask UpdateStatusAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } - public partial class DataFlowRenameDataFlowOperation : Azure.Operation + public partial class DataFlowRenameDataFlowOperation : Azure.Operation { protected DataFlowRenameDataFlowOperation() { } public override bool HasCompleted { get { throw null; } } - public override bool HasValue { get { throw null; } } public override string Id { get { throw null; } } - public override Azure.Response Value { get { throw null; } } public override Azure.Response GetRawResponse() { throw null; } public override Azure.Response UpdateStatus(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask UpdateStatusAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } public partial class DatasetClient { @@ -140,31 +136,27 @@ protected DatasetCreateOrUpdateDatasetOperation() { } public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } - public partial class DatasetDeleteDatasetOperation : Azure.Operation + public partial class DatasetDeleteDatasetOperation : Azure.Operation { protected DatasetDeleteDatasetOperation() { } public override bool HasCompleted { get { throw null; } } - public override bool HasValue { get { throw null; } } public override string Id { get { throw null; } } - public override Azure.Response Value { get { throw null; } } public override Azure.Response GetRawResponse() { throw null; } public override Azure.Response UpdateStatus(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask UpdateStatusAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } - public partial class DatasetRenameDatasetOperation : Azure.Operation + public partial class DatasetRenameDatasetOperation : Azure.Operation { protected DatasetRenameDatasetOperation() { } public override bool HasCompleted { get { throw null; } } - public override bool HasValue { get { throw null; } } public override string Id { get { throw null; } } - public override Azure.Response Value { get { throw null; } } public override Azure.Response GetRawResponse() { throw null; } public override Azure.Response UpdateStatus(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask UpdateStatusAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } public partial class IntegrationRuntimesClient { @@ -194,44 +186,38 @@ public LibraryClient(System.Uri endpoint, Azure.Core.TokenCredential credential, public virtual Azure.Analytics.Synapse.Artifacts.LibraryFlushOperation StartFlush(string libraryName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual System.Threading.Tasks.Task StartFlushAsync(string libraryName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } - public partial class LibraryCreateOperation : Azure.Operation + public partial class LibraryCreateOperation : Azure.Operation { protected LibraryCreateOperation() { } public override bool HasCompleted { get { throw null; } } - public override bool HasValue { get { throw null; } } public override string Id { get { throw null; } } - public override Azure.Response Value { get { throw null; } } public override Azure.Response GetRawResponse() { throw null; } public override Azure.Response UpdateStatus(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask UpdateStatusAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } - public partial class LibraryDeleteOperation : Azure.Operation + public partial class LibraryDeleteOperation : Azure.Operation { protected LibraryDeleteOperation() { } public override bool HasCompleted { get { throw null; } } - public override bool HasValue { get { throw null; } } public override string Id { get { throw null; } } - public override Azure.Response Value { get { throw null; } } public override Azure.Response GetRawResponse() { throw null; } public override Azure.Response UpdateStatus(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask UpdateStatusAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } - public partial class LibraryFlushOperation : Azure.Operation + public partial class LibraryFlushOperation : Azure.Operation { protected LibraryFlushOperation() { } public override bool HasCompleted { get { throw null; } } - public override bool HasValue { get { throw null; } } public override string Id { get { throw null; } } - public override Azure.Response Value { get { throw null; } } public override Azure.Response GetRawResponse() { throw null; } public override Azure.Response UpdateStatus(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask UpdateStatusAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } public partial class LinkedServiceClient { @@ -261,18 +247,16 @@ protected LinkedServiceCreateOrUpdateLinkedServiceOperation() { } public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } - public partial class LinkedServiceDeleteLinkedServiceOperation : Azure.Operation + public partial class LinkedServiceDeleteLinkedServiceOperation : Azure.Operation { protected LinkedServiceDeleteLinkedServiceOperation() { } public override bool HasCompleted { get { throw null; } } - public override bool HasValue { get { throw null; } } public override string Id { get { throw null; } } - public override Azure.Response Value { get { throw null; } } public override Azure.Response GetRawResponse() { throw null; } public override Azure.Response UpdateStatus(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask UpdateStatusAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } [System.Runtime.InteropServices.StructLayoutAttribute(System.Runtime.InteropServices.LayoutKind.Sequential)] public readonly partial struct LinkedServiceReferenceType : System.IEquatable @@ -291,18 +275,16 @@ protected LinkedServiceDeleteLinkedServiceOperation() { } public static bool operator !=(Azure.Analytics.Synapse.Artifacts.LinkedServiceReferenceType left, Azure.Analytics.Synapse.Artifacts.LinkedServiceReferenceType right) { throw null; } public override string ToString() { throw null; } } - public partial class LinkedServiceRenameLinkedServiceOperation : Azure.Operation + public partial class LinkedServiceRenameLinkedServiceOperation : Azure.Operation { protected LinkedServiceRenameLinkedServiceOperation() { } public override bool HasCompleted { get { throw null; } } - public override bool HasValue { get { throw null; } } public override string Id { get { throw null; } } - public override Azure.Response Value { get { throw null; } } public override Azure.Response GetRawResponse() { throw null; } public override Azure.Response UpdateStatus(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask UpdateStatusAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } public partial class NotebookClient { @@ -334,31 +316,27 @@ protected NotebookCreateOrUpdateNotebookOperation() { } public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } - public partial class NotebookDeleteNotebookOperation : Azure.Operation + public partial class NotebookDeleteNotebookOperation : Azure.Operation { protected NotebookDeleteNotebookOperation() { } public override bool HasCompleted { get { throw null; } } - public override bool HasValue { get { throw null; } } public override string Id { get { throw null; } } - public override Azure.Response Value { get { throw null; } } public override Azure.Response GetRawResponse() { throw null; } public override Azure.Response UpdateStatus(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask UpdateStatusAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } - public partial class NotebookRenameNotebookOperation : Azure.Operation + public partial class NotebookRenameNotebookOperation : Azure.Operation { protected NotebookRenameNotebookOperation() { } public override bool HasCompleted { get { throw null; } } - public override bool HasValue { get { throw null; } } public override string Id { get { throw null; } } - public override Azure.Response Value { get { throw null; } } public override Azure.Response GetRawResponse() { throw null; } public override Azure.Response UpdateStatus(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask UpdateStatusAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } public partial class PipelineClient { @@ -390,31 +368,27 @@ protected PipelineCreateOrUpdatePipelineOperation() { } public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } - public partial class PipelineDeletePipelineOperation : Azure.Operation + public partial class PipelineDeletePipelineOperation : Azure.Operation { protected PipelineDeletePipelineOperation() { } public override bool HasCompleted { get { throw null; } } - public override bool HasValue { get { throw null; } } public override string Id { get { throw null; } } - public override Azure.Response Value { get { throw null; } } public override Azure.Response GetRawResponse() { throw null; } public override Azure.Response UpdateStatus(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask UpdateStatusAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } - public partial class PipelineRenamePipelineOperation : Azure.Operation + public partial class PipelineRenamePipelineOperation : Azure.Operation { protected PipelineRenamePipelineOperation() { } public override bool HasCompleted { get { throw null; } } - public override bool HasValue { get { throw null; } } public override string Id { get { throw null; } } - public override Azure.Response Value { get { throw null; } } public override Azure.Response GetRawResponse() { throw null; } public override Azure.Response UpdateStatus(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask UpdateStatusAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } public partial class PipelineRunClient { @@ -474,18 +448,16 @@ protected SparkJobDefinitionDebugSparkJobDefinitionOperation() { } public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } - public partial class SparkJobDefinitionDeleteSparkJobDefinitionOperation : Azure.Operation + public partial class SparkJobDefinitionDeleteSparkJobDefinitionOperation : Azure.Operation { protected SparkJobDefinitionDeleteSparkJobDefinitionOperation() { } public override bool HasCompleted { get { throw null; } } - public override bool HasValue { get { throw null; } } public override string Id { get { throw null; } } - public override Azure.Response Value { get { throw null; } } public override Azure.Response GetRawResponse() { throw null; } public override Azure.Response UpdateStatus(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask UpdateStatusAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } public partial class SparkJobDefinitionExecuteSparkJobDefinitionOperation : Azure.Operation { @@ -500,18 +472,16 @@ protected SparkJobDefinitionExecuteSparkJobDefinitionOperation() { } public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } - public partial class SparkJobDefinitionRenameSparkJobDefinitionOperation : Azure.Operation + public partial class SparkJobDefinitionRenameSparkJobDefinitionOperation : Azure.Operation { protected SparkJobDefinitionRenameSparkJobDefinitionOperation() { } public override bool HasCompleted { get { throw null; } } - public override bool HasValue { get { throw null; } } public override string Id { get { throw null; } } - public override Azure.Response Value { get { throw null; } } public override Azure.Response GetRawResponse() { throw null; } public override Azure.Response UpdateStatus(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask UpdateStatusAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } public partial class SqlPoolsClient { @@ -550,31 +520,27 @@ protected SqlScriptCreateOrUpdateSqlScriptOperation() { } public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } - public partial class SqlScriptDeleteSqlScriptOperation : Azure.Operation + public partial class SqlScriptDeleteSqlScriptOperation : Azure.Operation { protected SqlScriptDeleteSqlScriptOperation() { } public override bool HasCompleted { get { throw null; } } - public override bool HasValue { get { throw null; } } public override string Id { get { throw null; } } - public override Azure.Response Value { get { throw null; } } public override Azure.Response GetRawResponse() { throw null; } public override Azure.Response UpdateStatus(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask UpdateStatusAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } - public partial class SqlScriptRenameSqlScriptOperation : Azure.Operation + public partial class SqlScriptRenameSqlScriptOperation : Azure.Operation { protected SqlScriptRenameSqlScriptOperation() { } public override bool HasCompleted { get { throw null; } } - public override bool HasValue { get { throw null; } } public override string Id { get { throw null; } } - public override Azure.Response Value { get { throw null; } } public override Azure.Response GetRawResponse() { throw null; } public override Azure.Response UpdateStatus(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask UpdateStatusAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } public partial class TriggerClient { @@ -612,18 +578,16 @@ protected TriggerCreateOrUpdateTriggerOperation() { } public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } - public partial class TriggerDeleteTriggerOperation : Azure.Operation + public partial class TriggerDeleteTriggerOperation : Azure.Operation { protected TriggerDeleteTriggerOperation() { } public override bool HasCompleted { get { throw null; } } - public override bool HasValue { get { throw null; } } public override string Id { get { throw null; } } - public override Azure.Response Value { get { throw null; } } public override Azure.Response GetRawResponse() { throw null; } public override Azure.Response UpdateStatus(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask UpdateStatusAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } public partial class TriggerRunClient { @@ -636,31 +600,27 @@ public TriggerRunClient(System.Uri endpoint, Azure.Core.TokenCredential credenti public virtual Azure.Response RerunTriggerInstance(string triggerName, string runId, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public virtual System.Threading.Tasks.Task RerunTriggerInstanceAsync(string triggerName, string runId, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } - public partial class TriggerStartTriggerOperation : Azure.Operation + public partial class TriggerStartTriggerOperation : Azure.Operation { protected TriggerStartTriggerOperation() { } public override bool HasCompleted { get { throw null; } } - public override bool HasValue { get { throw null; } } public override string Id { get { throw null; } } - public override Azure.Response Value { get { throw null; } } public override Azure.Response GetRawResponse() { throw null; } public override Azure.Response UpdateStatus(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask UpdateStatusAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } - public partial class TriggerStopTriggerOperation : Azure.Operation + public partial class TriggerStopTriggerOperation : Azure.Operation { protected TriggerStopTriggerOperation() { } public override bool HasCompleted { get { throw null; } } - public override bool HasValue { get { throw null; } } public override string Id { get { throw null; } } - public override Azure.Response Value { get { throw null; } } public override Azure.Response GetRawResponse() { throw null; } public override Azure.Response UpdateStatus(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } public override System.Threading.Tasks.ValueTask UpdateStatusAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } - public override System.Threading.Tasks.ValueTask> WaitForCompletionAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } + public override System.Threading.Tasks.ValueTask WaitForCompletionResponseAsync(System.TimeSpan pollingInterval, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) { throw null; } } public partial class TriggerSubscribeTriggerToEventsOperation : Azure.Operation { diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/samples/Sample1_HelloWorldPipeline.md b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/samples/Sample1_HelloWorldPipeline.md index 5a3c3ded255f..a46ec2caada3 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/samples/Sample1_HelloWorldPipeline.md +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/samples/Sample1_HelloWorldPipeline.md @@ -65,5 +65,5 @@ To delete a pipeline no longer needed call `StartDeletePipeline`, passing in the ```C# Snippet:DeletePipeline PipelineDeletePipelineOperation deleteOperation = client.StartDeletePipeline(pipelineName); -await deleteOperation.WaitForCompletionAsync(); +await deleteOperation.WaitForCompletionResponseAsync(); ``` diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/samples/Sample2_HelloWorldNotebook.md b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/samples/Sample2_HelloWorldNotebook.md index 86882f6c1de5..b4eed1ecde24 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/samples/Sample2_HelloWorldNotebook.md +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/samples/Sample2_HelloWorldNotebook.md @@ -64,5 +64,5 @@ To delete a notebook no longer needed call `StartDeleteNotebook`, passing in the ```C# Snippet:DeleteNotebook NotebookDeleteNotebookOperation deleteNotebookOperation = client.StartDeleteNotebook(notebookName); -await deleteNotebookOperation.WaitForCompletionAsync(); +await deleteNotebookOperation.WaitForCompletionResponseAsync(); ``` diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/samples/Sample3_HelloWorldTrigger.md b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/samples/Sample3_HelloWorldTrigger.md index 70acf49b7724..1dc1ea7b3b06 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/samples/Sample3_HelloWorldTrigger.md +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/samples/Sample3_HelloWorldTrigger.md @@ -29,5 +29,5 @@ foreach (TriggerResource trigger in triggers) ```C# Snippet:DeleteTrigger TriggerDeleteTriggerOperation deleteOperation = client.StartDeleteTrigger(triggerName); -await deleteOperation.WaitForCompletionAsync(); +await deleteOperation.WaitForCompletionResponseAsync(); ``` \ No newline at end of file diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/samples/Sample4_HelloWorldDataFlow.md b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/samples/Sample4_HelloWorldDataFlow.md index 9b5870548bb2..217dfd880900 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/samples/Sample4_HelloWorldDataFlow.md +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/samples/Sample4_HelloWorldDataFlow.md @@ -28,5 +28,5 @@ foreach (DataFlowResource dataflow in dataFlows) ```C# Snippet:DeleteDataFlow DataFlowDeleteDataFlowOperation deleteOperation = client.StartDeleteDataFlow(dataFlowName); -await deleteOperation.WaitForCompletionAsync(); +await deleteOperation.WaitForCompletionResponseAsync(); ``` \ No newline at end of file diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/samples/Sample5_HelloWorldDataset.md b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/samples/Sample5_HelloWorldDataset.md index c65e86c3283d..8abdb9fc4179 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/samples/Sample5_HelloWorldDataset.md +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/samples/Sample5_HelloWorldDataset.md @@ -31,5 +31,5 @@ foreach (DatasetResource dataset in datasets) ```C# Snippet:DeleteDataset DatasetDeleteDatasetOperation deleteDatasetOperation = client.StartDeleteDataset(dataSetName); -await deleteDatasetOperation.WaitForCompletionAsync(); +await deleteDatasetOperation.WaitForCompletionResponseAsync(); ``` \ No newline at end of file diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/samples/Sample6_HelloWorldLinkedService.md b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/samples/Sample6_HelloWorldLinkedService.md index 6d6b8716deb9..74736917ac9a 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/samples/Sample6_HelloWorldLinkedService.md +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/samples/Sample6_HelloWorldLinkedService.md @@ -32,5 +32,5 @@ foreach (LinkedServiceResource linkedService in linkedServices) ```C# Snippet:DeleteLinkedService LinkedServiceDeleteLinkedServiceOperation deleteLinkedServiceOperation = client.StartDeleteLinkedService(serviceName); -await deleteLinkedServiceOperation.WaitForCompletionAsync(); +await deleteLinkedServiceOperation.WaitForCompletionResponseAsync(); ``` \ No newline at end of file diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/DataFlowDeleteDataFlowOperation.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/DataFlowDeleteDataFlowOperation.cs index 5e0b8a1ade5a..c88aff7a6d3c 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/DataFlowDeleteDataFlowOperation.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/DataFlowDeleteDataFlowOperation.cs @@ -15,9 +15,9 @@ namespace Azure.Analytics.Synapse.Artifacts { /// Deletes a data flow. - public partial class DataFlowDeleteDataFlowOperation : Operation, IOperationSource + public partial class DataFlowDeleteDataFlowOperation : Operation { - private readonly OperationInternals _operation; + private readonly OperationInternals _operation; /// Initializes a new instance of DataFlowDeleteDataFlowOperation for mocking. protected DataFlowDeleteDataFlowOperation() @@ -26,20 +26,14 @@ protected DataFlowDeleteDataFlowOperation() internal DataFlowDeleteDataFlowOperation(ClientDiagnostics clientDiagnostics, HttpPipeline pipeline, Request request, Response response) { - _operation = new OperationInternals(this, clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "DataFlowDeleteDataFlowOperation"); + _operation = new OperationInternals(clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "DataFlowDeleteDataFlowOperation"); } /// public override string Id => _operation.Id; - /// - public override Response Value => _operation.Value; - /// public override bool HasCompleted => _operation.HasCompleted; - /// - public override bool HasValue => _operation.HasValue; - /// public override Response GetRawResponse() => _operation.GetRawResponse(); @@ -50,19 +44,9 @@ internal DataFlowDeleteDataFlowOperation(ClientDiagnostics clientDiagnostics, Ht public override ValueTask UpdateStatusAsync(CancellationToken cancellationToken = default) => _operation.UpdateStatusAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(cancellationToken); + public override ValueTask WaitForCompletionResponseAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(pollingInterval, cancellationToken); - - Response IOperationSource.CreateResult(Response response, CancellationToken cancellationToken) - { - return response; - } - - async ValueTask IOperationSource.CreateResultAsync(Response response, CancellationToken cancellationToken) - { - return await new ValueTask(response).ConfigureAwait(false); - } + public override ValueTask WaitForCompletionResponseAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(pollingInterval, cancellationToken); } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/DataFlowRenameDataFlowOperation.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/DataFlowRenameDataFlowOperation.cs index a8f603b2cbab..615630f23aa0 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/DataFlowRenameDataFlowOperation.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/DataFlowRenameDataFlowOperation.cs @@ -15,9 +15,9 @@ namespace Azure.Analytics.Synapse.Artifacts { /// Renames a dataflow. - public partial class DataFlowRenameDataFlowOperation : Operation, IOperationSource + public partial class DataFlowRenameDataFlowOperation : Operation { - private readonly OperationInternals _operation; + private readonly OperationInternals _operation; /// Initializes a new instance of DataFlowRenameDataFlowOperation for mocking. protected DataFlowRenameDataFlowOperation() @@ -26,20 +26,14 @@ protected DataFlowRenameDataFlowOperation() internal DataFlowRenameDataFlowOperation(ClientDiagnostics clientDiagnostics, HttpPipeline pipeline, Request request, Response response) { - _operation = new OperationInternals(this, clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "DataFlowRenameDataFlowOperation"); + _operation = new OperationInternals(clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "DataFlowRenameDataFlowOperation"); } /// public override string Id => _operation.Id; - /// - public override Response Value => _operation.Value; - /// public override bool HasCompleted => _operation.HasCompleted; - /// - public override bool HasValue => _operation.HasValue; - /// public override Response GetRawResponse() => _operation.GetRawResponse(); @@ -50,19 +44,9 @@ internal DataFlowRenameDataFlowOperation(ClientDiagnostics clientDiagnostics, Ht public override ValueTask UpdateStatusAsync(CancellationToken cancellationToken = default) => _operation.UpdateStatusAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(cancellationToken); + public override ValueTask WaitForCompletionResponseAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(pollingInterval, cancellationToken); - - Response IOperationSource.CreateResult(Response response, CancellationToken cancellationToken) - { - return response; - } - - async ValueTask IOperationSource.CreateResultAsync(Response response, CancellationToken cancellationToken) - { - return await new ValueTask(response).ConfigureAwait(false); - } + public override ValueTask WaitForCompletionResponseAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(pollingInterval, cancellationToken); } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/DatasetDeleteDatasetOperation.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/DatasetDeleteDatasetOperation.cs index 8f9fa035de66..fa48fce15481 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/DatasetDeleteDatasetOperation.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/DatasetDeleteDatasetOperation.cs @@ -15,9 +15,9 @@ namespace Azure.Analytics.Synapse.Artifacts { /// Deletes a dataset. - public partial class DatasetDeleteDatasetOperation : Operation, IOperationSource + public partial class DatasetDeleteDatasetOperation : Operation { - private readonly OperationInternals _operation; + private readonly OperationInternals _operation; /// Initializes a new instance of DatasetDeleteDatasetOperation for mocking. protected DatasetDeleteDatasetOperation() @@ -26,20 +26,14 @@ protected DatasetDeleteDatasetOperation() internal DatasetDeleteDatasetOperation(ClientDiagnostics clientDiagnostics, HttpPipeline pipeline, Request request, Response response) { - _operation = new OperationInternals(this, clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "DatasetDeleteDatasetOperation"); + _operation = new OperationInternals(clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "DatasetDeleteDatasetOperation"); } /// public override string Id => _operation.Id; - /// - public override Response Value => _operation.Value; - /// public override bool HasCompleted => _operation.HasCompleted; - /// - public override bool HasValue => _operation.HasValue; - /// public override Response GetRawResponse() => _operation.GetRawResponse(); @@ -50,19 +44,9 @@ internal DatasetDeleteDatasetOperation(ClientDiagnostics clientDiagnostics, Http public override ValueTask UpdateStatusAsync(CancellationToken cancellationToken = default) => _operation.UpdateStatusAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(cancellationToken); + public override ValueTask WaitForCompletionResponseAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(pollingInterval, cancellationToken); - - Response IOperationSource.CreateResult(Response response, CancellationToken cancellationToken) - { - return response; - } - - async ValueTask IOperationSource.CreateResultAsync(Response response, CancellationToken cancellationToken) - { - return await new ValueTask(response).ConfigureAwait(false); - } + public override ValueTask WaitForCompletionResponseAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(pollingInterval, cancellationToken); } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/DatasetRenameDatasetOperation.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/DatasetRenameDatasetOperation.cs index 7ea1e60d8d9b..bfb57ab11ad2 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/DatasetRenameDatasetOperation.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/DatasetRenameDatasetOperation.cs @@ -15,9 +15,9 @@ namespace Azure.Analytics.Synapse.Artifacts { /// Renames a dataset. - public partial class DatasetRenameDatasetOperation : Operation, IOperationSource + public partial class DatasetRenameDatasetOperation : Operation { - private readonly OperationInternals _operation; + private readonly OperationInternals _operation; /// Initializes a new instance of DatasetRenameDatasetOperation for mocking. protected DatasetRenameDatasetOperation() @@ -26,20 +26,14 @@ protected DatasetRenameDatasetOperation() internal DatasetRenameDatasetOperation(ClientDiagnostics clientDiagnostics, HttpPipeline pipeline, Request request, Response response) { - _operation = new OperationInternals(this, clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "DatasetRenameDatasetOperation"); + _operation = new OperationInternals(clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "DatasetRenameDatasetOperation"); } /// public override string Id => _operation.Id; - /// - public override Response Value => _operation.Value; - /// public override bool HasCompleted => _operation.HasCompleted; - /// - public override bool HasValue => _operation.HasValue; - /// public override Response GetRawResponse() => _operation.GetRawResponse(); @@ -50,19 +44,9 @@ internal DatasetRenameDatasetOperation(ClientDiagnostics clientDiagnostics, Http public override ValueTask UpdateStatusAsync(CancellationToken cancellationToken = default) => _operation.UpdateStatusAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(cancellationToken); + public override ValueTask WaitForCompletionResponseAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(pollingInterval, cancellationToken); - - Response IOperationSource.CreateResult(Response response, CancellationToken cancellationToken) - { - return response; - } - - async ValueTask IOperationSource.CreateResultAsync(Response response, CancellationToken cancellationToken) - { - return await new ValueTask(response).ConfigureAwait(false); - } + public override ValueTask WaitForCompletionResponseAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(pollingInterval, cancellationToken); } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/LibraryCreateOperation.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/LibraryCreateOperation.cs index 2274ddc866b2..d27ca03e77a3 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/LibraryCreateOperation.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/LibraryCreateOperation.cs @@ -15,9 +15,9 @@ namespace Azure.Analytics.Synapse.Artifacts { /// Creates a library with the library name. - public partial class LibraryCreateOperation : Operation, IOperationSource + public partial class LibraryCreateOperation : Operation { - private readonly OperationInternals _operation; + private readonly OperationInternals _operation; /// Initializes a new instance of LibraryCreateOperation for mocking. protected LibraryCreateOperation() @@ -26,20 +26,14 @@ protected LibraryCreateOperation() internal LibraryCreateOperation(ClientDiagnostics clientDiagnostics, HttpPipeline pipeline, Request request, Response response) { - _operation = new OperationInternals(this, clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "LibraryCreateOperation"); + _operation = new OperationInternals(clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "LibraryCreateOperation"); } /// public override string Id => _operation.Id; - /// - public override Response Value => _operation.Value; - /// public override bool HasCompleted => _operation.HasCompleted; - /// - public override bool HasValue => _operation.HasValue; - /// public override Response GetRawResponse() => _operation.GetRawResponse(); @@ -50,19 +44,9 @@ internal LibraryCreateOperation(ClientDiagnostics clientDiagnostics, HttpPipelin public override ValueTask UpdateStatusAsync(CancellationToken cancellationToken = default) => _operation.UpdateStatusAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(cancellationToken); + public override ValueTask WaitForCompletionResponseAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(pollingInterval, cancellationToken); - - Response IOperationSource.CreateResult(Response response, CancellationToken cancellationToken) - { - return response; - } - - async ValueTask IOperationSource.CreateResultAsync(Response response, CancellationToken cancellationToken) - { - return await new ValueTask(response).ConfigureAwait(false); - } + public override ValueTask WaitForCompletionResponseAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(pollingInterval, cancellationToken); } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/LibraryDeleteOperation.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/LibraryDeleteOperation.cs index 1e5afd6d08e2..c2976e2311fe 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/LibraryDeleteOperation.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/LibraryDeleteOperation.cs @@ -15,9 +15,9 @@ namespace Azure.Analytics.Synapse.Artifacts { /// Delete Library. - public partial class LibraryDeleteOperation : Operation, IOperationSource + public partial class LibraryDeleteOperation : Operation { - private readonly OperationInternals _operation; + private readonly OperationInternals _operation; /// Initializes a new instance of LibraryDeleteOperation for mocking. protected LibraryDeleteOperation() @@ -26,20 +26,14 @@ protected LibraryDeleteOperation() internal LibraryDeleteOperation(ClientDiagnostics clientDiagnostics, HttpPipeline pipeline, Request request, Response response) { - _operation = new OperationInternals(this, clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "LibraryDeleteOperation"); + _operation = new OperationInternals(clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "LibraryDeleteOperation"); } /// public override string Id => _operation.Id; - /// - public override Response Value => _operation.Value; - /// public override bool HasCompleted => _operation.HasCompleted; - /// - public override bool HasValue => _operation.HasValue; - /// public override Response GetRawResponse() => _operation.GetRawResponse(); @@ -50,19 +44,9 @@ internal LibraryDeleteOperation(ClientDiagnostics clientDiagnostics, HttpPipelin public override ValueTask UpdateStatusAsync(CancellationToken cancellationToken = default) => _operation.UpdateStatusAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(cancellationToken); + public override ValueTask WaitForCompletionResponseAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(pollingInterval, cancellationToken); - - Response IOperationSource.CreateResult(Response response, CancellationToken cancellationToken) - { - return response; - } - - async ValueTask IOperationSource.CreateResultAsync(Response response, CancellationToken cancellationToken) - { - return await new ValueTask(response).ConfigureAwait(false); - } + public override ValueTask WaitForCompletionResponseAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(pollingInterval, cancellationToken); } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/LibraryFlushOperation.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/LibraryFlushOperation.cs index e84eb56bdc93..eb09c06f3a93 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/LibraryFlushOperation.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/LibraryFlushOperation.cs @@ -15,9 +15,9 @@ namespace Azure.Analytics.Synapse.Artifacts { /// Flush Library. - public partial class LibraryFlushOperation : Operation, IOperationSource + public partial class LibraryFlushOperation : Operation { - private readonly OperationInternals _operation; + private readonly OperationInternals _operation; /// Initializes a new instance of LibraryFlushOperation for mocking. protected LibraryFlushOperation() @@ -26,20 +26,14 @@ protected LibraryFlushOperation() internal LibraryFlushOperation(ClientDiagnostics clientDiagnostics, HttpPipeline pipeline, Request request, Response response) { - _operation = new OperationInternals(this, clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "LibraryFlushOperation"); + _operation = new OperationInternals(clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "LibraryFlushOperation"); } /// public override string Id => _operation.Id; - /// - public override Response Value => _operation.Value; - /// public override bool HasCompleted => _operation.HasCompleted; - /// - public override bool HasValue => _operation.HasValue; - /// public override Response GetRawResponse() => _operation.GetRawResponse(); @@ -50,19 +44,9 @@ internal LibraryFlushOperation(ClientDiagnostics clientDiagnostics, HttpPipeline public override ValueTask UpdateStatusAsync(CancellationToken cancellationToken = default) => _operation.UpdateStatusAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(cancellationToken); + public override ValueTask WaitForCompletionResponseAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(pollingInterval, cancellationToken); - - Response IOperationSource.CreateResult(Response response, CancellationToken cancellationToken) - { - return response; - } - - async ValueTask IOperationSource.CreateResultAsync(Response response, CancellationToken cancellationToken) - { - return await new ValueTask(response).ConfigureAwait(false); - } + public override ValueTask WaitForCompletionResponseAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(pollingInterval, cancellationToken); } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/LinkedServiceDeleteLinkedServiceOperation.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/LinkedServiceDeleteLinkedServiceOperation.cs index 6533d9b39866..930a7c9b2442 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/LinkedServiceDeleteLinkedServiceOperation.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/LinkedServiceDeleteLinkedServiceOperation.cs @@ -15,9 +15,9 @@ namespace Azure.Analytics.Synapse.Artifacts { /// Deletes a linked service. - public partial class LinkedServiceDeleteLinkedServiceOperation : Operation, IOperationSource + public partial class LinkedServiceDeleteLinkedServiceOperation : Operation { - private readonly OperationInternals _operation; + private readonly OperationInternals _operation; /// Initializes a new instance of LinkedServiceDeleteLinkedServiceOperation for mocking. protected LinkedServiceDeleteLinkedServiceOperation() @@ -26,20 +26,14 @@ protected LinkedServiceDeleteLinkedServiceOperation() internal LinkedServiceDeleteLinkedServiceOperation(ClientDiagnostics clientDiagnostics, HttpPipeline pipeline, Request request, Response response) { - _operation = new OperationInternals(this, clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "LinkedServiceDeleteLinkedServiceOperation"); + _operation = new OperationInternals(clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "LinkedServiceDeleteLinkedServiceOperation"); } /// public override string Id => _operation.Id; - /// - public override Response Value => _operation.Value; - /// public override bool HasCompleted => _operation.HasCompleted; - /// - public override bool HasValue => _operation.HasValue; - /// public override Response GetRawResponse() => _operation.GetRawResponse(); @@ -50,19 +44,9 @@ internal LinkedServiceDeleteLinkedServiceOperation(ClientDiagnostics clientDiagn public override ValueTask UpdateStatusAsync(CancellationToken cancellationToken = default) => _operation.UpdateStatusAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(cancellationToken); + public override ValueTask WaitForCompletionResponseAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(pollingInterval, cancellationToken); - - Response IOperationSource.CreateResult(Response response, CancellationToken cancellationToken) - { - return response; - } - - async ValueTask IOperationSource.CreateResultAsync(Response response, CancellationToken cancellationToken) - { - return await new ValueTask(response).ConfigureAwait(false); - } + public override ValueTask WaitForCompletionResponseAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(pollingInterval, cancellationToken); } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/LinkedServiceRenameLinkedServiceOperation.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/LinkedServiceRenameLinkedServiceOperation.cs index 7c519546db0a..3a9acb5a5dba 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/LinkedServiceRenameLinkedServiceOperation.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/LinkedServiceRenameLinkedServiceOperation.cs @@ -15,9 +15,9 @@ namespace Azure.Analytics.Synapse.Artifacts { /// Renames a linked service. - public partial class LinkedServiceRenameLinkedServiceOperation : Operation, IOperationSource + public partial class LinkedServiceRenameLinkedServiceOperation : Operation { - private readonly OperationInternals _operation; + private readonly OperationInternals _operation; /// Initializes a new instance of LinkedServiceRenameLinkedServiceOperation for mocking. protected LinkedServiceRenameLinkedServiceOperation() @@ -26,20 +26,14 @@ protected LinkedServiceRenameLinkedServiceOperation() internal LinkedServiceRenameLinkedServiceOperation(ClientDiagnostics clientDiagnostics, HttpPipeline pipeline, Request request, Response response) { - _operation = new OperationInternals(this, clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "LinkedServiceRenameLinkedServiceOperation"); + _operation = new OperationInternals(clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "LinkedServiceRenameLinkedServiceOperation"); } /// public override string Id => _operation.Id; - /// - public override Response Value => _operation.Value; - /// public override bool HasCompleted => _operation.HasCompleted; - /// - public override bool HasValue => _operation.HasValue; - /// public override Response GetRawResponse() => _operation.GetRawResponse(); @@ -50,19 +44,9 @@ internal LinkedServiceRenameLinkedServiceOperation(ClientDiagnostics clientDiagn public override ValueTask UpdateStatusAsync(CancellationToken cancellationToken = default) => _operation.UpdateStatusAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(cancellationToken); + public override ValueTask WaitForCompletionResponseAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(pollingInterval, cancellationToken); - - Response IOperationSource.CreateResult(Response response, CancellationToken cancellationToken) - { - return response; - } - - async ValueTask IOperationSource.CreateResultAsync(Response response, CancellationToken cancellationToken) - { - return await new ValueTask(response).ConfigureAwait(false); - } + public override ValueTask WaitForCompletionResponseAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(pollingInterval, cancellationToken); } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/NotebookDeleteNotebookOperation.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/NotebookDeleteNotebookOperation.cs index 9717ac7f933f..a42c28fc312e 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/NotebookDeleteNotebookOperation.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/NotebookDeleteNotebookOperation.cs @@ -15,9 +15,9 @@ namespace Azure.Analytics.Synapse.Artifacts { /// Deletes a Note book. - public partial class NotebookDeleteNotebookOperation : Operation, IOperationSource + public partial class NotebookDeleteNotebookOperation : Operation { - private readonly OperationInternals _operation; + private readonly OperationInternals _operation; /// Initializes a new instance of NotebookDeleteNotebookOperation for mocking. protected NotebookDeleteNotebookOperation() @@ -26,20 +26,14 @@ protected NotebookDeleteNotebookOperation() internal NotebookDeleteNotebookOperation(ClientDiagnostics clientDiagnostics, HttpPipeline pipeline, Request request, Response response) { - _operation = new OperationInternals(this, clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "NotebookDeleteNotebookOperation"); + _operation = new OperationInternals(clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "NotebookDeleteNotebookOperation"); } /// public override string Id => _operation.Id; - /// - public override Response Value => _operation.Value; - /// public override bool HasCompleted => _operation.HasCompleted; - /// - public override bool HasValue => _operation.HasValue; - /// public override Response GetRawResponse() => _operation.GetRawResponse(); @@ -50,19 +44,9 @@ internal NotebookDeleteNotebookOperation(ClientDiagnostics clientDiagnostics, Ht public override ValueTask UpdateStatusAsync(CancellationToken cancellationToken = default) => _operation.UpdateStatusAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(cancellationToken); + public override ValueTask WaitForCompletionResponseAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(pollingInterval, cancellationToken); - - Response IOperationSource.CreateResult(Response response, CancellationToken cancellationToken) - { - return response; - } - - async ValueTask IOperationSource.CreateResultAsync(Response response, CancellationToken cancellationToken) - { - return await new ValueTask(response).ConfigureAwait(false); - } + public override ValueTask WaitForCompletionResponseAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(pollingInterval, cancellationToken); } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/NotebookRenameNotebookOperation.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/NotebookRenameNotebookOperation.cs index 80f6b560c496..035f53a733cf 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/NotebookRenameNotebookOperation.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/NotebookRenameNotebookOperation.cs @@ -15,9 +15,9 @@ namespace Azure.Analytics.Synapse.Artifacts { /// Renames a notebook. - public partial class NotebookRenameNotebookOperation : Operation, IOperationSource + public partial class NotebookRenameNotebookOperation : Operation { - private readonly OperationInternals _operation; + private readonly OperationInternals _operation; /// Initializes a new instance of NotebookRenameNotebookOperation for mocking. protected NotebookRenameNotebookOperation() @@ -26,20 +26,14 @@ protected NotebookRenameNotebookOperation() internal NotebookRenameNotebookOperation(ClientDiagnostics clientDiagnostics, HttpPipeline pipeline, Request request, Response response) { - _operation = new OperationInternals(this, clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "NotebookRenameNotebookOperation"); + _operation = new OperationInternals(clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "NotebookRenameNotebookOperation"); } /// public override string Id => _operation.Id; - /// - public override Response Value => _operation.Value; - /// public override bool HasCompleted => _operation.HasCompleted; - /// - public override bool HasValue => _operation.HasValue; - /// public override Response GetRawResponse() => _operation.GetRawResponse(); @@ -50,19 +44,9 @@ internal NotebookRenameNotebookOperation(ClientDiagnostics clientDiagnostics, Ht public override ValueTask UpdateStatusAsync(CancellationToken cancellationToken = default) => _operation.UpdateStatusAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(cancellationToken); + public override ValueTask WaitForCompletionResponseAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(pollingInterval, cancellationToken); - - Response IOperationSource.CreateResult(Response response, CancellationToken cancellationToken) - { - return response; - } - - async ValueTask IOperationSource.CreateResultAsync(Response response, CancellationToken cancellationToken) - { - return await new ValueTask(response).ConfigureAwait(false); - } + public override ValueTask WaitForCompletionResponseAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(pollingInterval, cancellationToken); } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/PipelineDeletePipelineOperation.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/PipelineDeletePipelineOperation.cs index 3807225908c0..90df38126a4c 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/PipelineDeletePipelineOperation.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/PipelineDeletePipelineOperation.cs @@ -15,9 +15,9 @@ namespace Azure.Analytics.Synapse.Artifacts { /// Deletes a pipeline. - public partial class PipelineDeletePipelineOperation : Operation, IOperationSource + public partial class PipelineDeletePipelineOperation : Operation { - private readonly OperationInternals _operation; + private readonly OperationInternals _operation; /// Initializes a new instance of PipelineDeletePipelineOperation for mocking. protected PipelineDeletePipelineOperation() @@ -26,20 +26,14 @@ protected PipelineDeletePipelineOperation() internal PipelineDeletePipelineOperation(ClientDiagnostics clientDiagnostics, HttpPipeline pipeline, Request request, Response response) { - _operation = new OperationInternals(this, clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "PipelineDeletePipelineOperation"); + _operation = new OperationInternals(clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "PipelineDeletePipelineOperation"); } /// public override string Id => _operation.Id; - /// - public override Response Value => _operation.Value; - /// public override bool HasCompleted => _operation.HasCompleted; - /// - public override bool HasValue => _operation.HasValue; - /// public override Response GetRawResponse() => _operation.GetRawResponse(); @@ -50,19 +44,9 @@ internal PipelineDeletePipelineOperation(ClientDiagnostics clientDiagnostics, Ht public override ValueTask UpdateStatusAsync(CancellationToken cancellationToken = default) => _operation.UpdateStatusAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(cancellationToken); + public override ValueTask WaitForCompletionResponseAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(pollingInterval, cancellationToken); - - Response IOperationSource.CreateResult(Response response, CancellationToken cancellationToken) - { - return response; - } - - async ValueTask IOperationSource.CreateResultAsync(Response response, CancellationToken cancellationToken) - { - return await new ValueTask(response).ConfigureAwait(false); - } + public override ValueTask WaitForCompletionResponseAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(pollingInterval, cancellationToken); } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/PipelineRenamePipelineOperation.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/PipelineRenamePipelineOperation.cs index e5b9cf15deb8..628984cc1aa0 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/PipelineRenamePipelineOperation.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/PipelineRenamePipelineOperation.cs @@ -15,9 +15,9 @@ namespace Azure.Analytics.Synapse.Artifacts { /// Renames a pipeline. - public partial class PipelineRenamePipelineOperation : Operation, IOperationSource + public partial class PipelineRenamePipelineOperation : Operation { - private readonly OperationInternals _operation; + private readonly OperationInternals _operation; /// Initializes a new instance of PipelineRenamePipelineOperation for mocking. protected PipelineRenamePipelineOperation() @@ -26,20 +26,14 @@ protected PipelineRenamePipelineOperation() internal PipelineRenamePipelineOperation(ClientDiagnostics clientDiagnostics, HttpPipeline pipeline, Request request, Response response) { - _operation = new OperationInternals(this, clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "PipelineRenamePipelineOperation"); + _operation = new OperationInternals(clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "PipelineRenamePipelineOperation"); } /// public override string Id => _operation.Id; - /// - public override Response Value => _operation.Value; - /// public override bool HasCompleted => _operation.HasCompleted; - /// - public override bool HasValue => _operation.HasValue; - /// public override Response GetRawResponse() => _operation.GetRawResponse(); @@ -50,19 +44,9 @@ internal PipelineRenamePipelineOperation(ClientDiagnostics clientDiagnostics, Ht public override ValueTask UpdateStatusAsync(CancellationToken cancellationToken = default) => _operation.UpdateStatusAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(cancellationToken); + public override ValueTask WaitForCompletionResponseAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(pollingInterval, cancellationToken); - - Response IOperationSource.CreateResult(Response response, CancellationToken cancellationToken) - { - return response; - } - - async ValueTask IOperationSource.CreateResultAsync(Response response, CancellationToken cancellationToken) - { - return await new ValueTask(response).ConfigureAwait(false); - } + public override ValueTask WaitForCompletionResponseAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(pollingInterval, cancellationToken); } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/SparkJobDefinitionDeleteSparkJobDefinitionOperation.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/SparkJobDefinitionDeleteSparkJobDefinitionOperation.cs index 8d3cc0dfc83d..377c15df70f8 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/SparkJobDefinitionDeleteSparkJobDefinitionOperation.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/SparkJobDefinitionDeleteSparkJobDefinitionOperation.cs @@ -15,9 +15,9 @@ namespace Azure.Analytics.Synapse.Artifacts { /// Deletes a Spark Job Definition. - public partial class SparkJobDefinitionDeleteSparkJobDefinitionOperation : Operation, IOperationSource + public partial class SparkJobDefinitionDeleteSparkJobDefinitionOperation : Operation { - private readonly OperationInternals _operation; + private readonly OperationInternals _operation; /// Initializes a new instance of SparkJobDefinitionDeleteSparkJobDefinitionOperation for mocking. protected SparkJobDefinitionDeleteSparkJobDefinitionOperation() @@ -26,20 +26,14 @@ protected SparkJobDefinitionDeleteSparkJobDefinitionOperation() internal SparkJobDefinitionDeleteSparkJobDefinitionOperation(ClientDiagnostics clientDiagnostics, HttpPipeline pipeline, Request request, Response response) { - _operation = new OperationInternals(this, clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "SparkJobDefinitionDeleteSparkJobDefinitionOperation"); + _operation = new OperationInternals(clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "SparkJobDefinitionDeleteSparkJobDefinitionOperation"); } /// public override string Id => _operation.Id; - /// - public override Response Value => _operation.Value; - /// public override bool HasCompleted => _operation.HasCompleted; - /// - public override bool HasValue => _operation.HasValue; - /// public override Response GetRawResponse() => _operation.GetRawResponse(); @@ -50,19 +44,9 @@ internal SparkJobDefinitionDeleteSparkJobDefinitionOperation(ClientDiagnostics c public override ValueTask UpdateStatusAsync(CancellationToken cancellationToken = default) => _operation.UpdateStatusAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(cancellationToken); + public override ValueTask WaitForCompletionResponseAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(pollingInterval, cancellationToken); - - Response IOperationSource.CreateResult(Response response, CancellationToken cancellationToken) - { - return response; - } - - async ValueTask IOperationSource.CreateResultAsync(Response response, CancellationToken cancellationToken) - { - return await new ValueTask(response).ConfigureAwait(false); - } + public override ValueTask WaitForCompletionResponseAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(pollingInterval, cancellationToken); } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/SparkJobDefinitionRenameSparkJobDefinitionOperation.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/SparkJobDefinitionRenameSparkJobDefinitionOperation.cs index 1b0df3ade04b..fdd45e2f26fa 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/SparkJobDefinitionRenameSparkJobDefinitionOperation.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/SparkJobDefinitionRenameSparkJobDefinitionOperation.cs @@ -15,9 +15,9 @@ namespace Azure.Analytics.Synapse.Artifacts { /// Renames a sparkJobDefinition. - public partial class SparkJobDefinitionRenameSparkJobDefinitionOperation : Operation, IOperationSource + public partial class SparkJobDefinitionRenameSparkJobDefinitionOperation : Operation { - private readonly OperationInternals _operation; + private readonly OperationInternals _operation; /// Initializes a new instance of SparkJobDefinitionRenameSparkJobDefinitionOperation for mocking. protected SparkJobDefinitionRenameSparkJobDefinitionOperation() @@ -26,20 +26,14 @@ protected SparkJobDefinitionRenameSparkJobDefinitionOperation() internal SparkJobDefinitionRenameSparkJobDefinitionOperation(ClientDiagnostics clientDiagnostics, HttpPipeline pipeline, Request request, Response response) { - _operation = new OperationInternals(this, clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "SparkJobDefinitionRenameSparkJobDefinitionOperation"); + _operation = new OperationInternals(clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "SparkJobDefinitionRenameSparkJobDefinitionOperation"); } /// public override string Id => _operation.Id; - /// - public override Response Value => _operation.Value; - /// public override bool HasCompleted => _operation.HasCompleted; - /// - public override bool HasValue => _operation.HasValue; - /// public override Response GetRawResponse() => _operation.GetRawResponse(); @@ -50,19 +44,9 @@ internal SparkJobDefinitionRenameSparkJobDefinitionOperation(ClientDiagnostics c public override ValueTask UpdateStatusAsync(CancellationToken cancellationToken = default) => _operation.UpdateStatusAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(cancellationToken); + public override ValueTask WaitForCompletionResponseAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(pollingInterval, cancellationToken); - - Response IOperationSource.CreateResult(Response response, CancellationToken cancellationToken) - { - return response; - } - - async ValueTask IOperationSource.CreateResultAsync(Response response, CancellationToken cancellationToken) - { - return await new ValueTask(response).ConfigureAwait(false); - } + public override ValueTask WaitForCompletionResponseAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(pollingInterval, cancellationToken); } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/SqlScriptDeleteSqlScriptOperation.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/SqlScriptDeleteSqlScriptOperation.cs index bf09e28a3366..caf2c09a3d8f 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/SqlScriptDeleteSqlScriptOperation.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/SqlScriptDeleteSqlScriptOperation.cs @@ -15,9 +15,9 @@ namespace Azure.Analytics.Synapse.Artifacts { /// Deletes a Sql Script. - public partial class SqlScriptDeleteSqlScriptOperation : Operation, IOperationSource + public partial class SqlScriptDeleteSqlScriptOperation : Operation { - private readonly OperationInternals _operation; + private readonly OperationInternals _operation; /// Initializes a new instance of SqlScriptDeleteSqlScriptOperation for mocking. protected SqlScriptDeleteSqlScriptOperation() @@ -26,20 +26,14 @@ protected SqlScriptDeleteSqlScriptOperation() internal SqlScriptDeleteSqlScriptOperation(ClientDiagnostics clientDiagnostics, HttpPipeline pipeline, Request request, Response response) { - _operation = new OperationInternals(this, clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "SqlScriptDeleteSqlScriptOperation"); + _operation = new OperationInternals(clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "SqlScriptDeleteSqlScriptOperation"); } /// public override string Id => _operation.Id; - /// - public override Response Value => _operation.Value; - /// public override bool HasCompleted => _operation.HasCompleted; - /// - public override bool HasValue => _operation.HasValue; - /// public override Response GetRawResponse() => _operation.GetRawResponse(); @@ -50,19 +44,9 @@ internal SqlScriptDeleteSqlScriptOperation(ClientDiagnostics clientDiagnostics, public override ValueTask UpdateStatusAsync(CancellationToken cancellationToken = default) => _operation.UpdateStatusAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(cancellationToken); + public override ValueTask WaitForCompletionResponseAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(pollingInterval, cancellationToken); - - Response IOperationSource.CreateResult(Response response, CancellationToken cancellationToken) - { - return response; - } - - async ValueTask IOperationSource.CreateResultAsync(Response response, CancellationToken cancellationToken) - { - return await new ValueTask(response).ConfigureAwait(false); - } + public override ValueTask WaitForCompletionResponseAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(pollingInterval, cancellationToken); } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/SqlScriptRenameSqlScriptOperation.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/SqlScriptRenameSqlScriptOperation.cs index 3ec065fd6f80..16545c84f82c 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/SqlScriptRenameSqlScriptOperation.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/SqlScriptRenameSqlScriptOperation.cs @@ -15,9 +15,9 @@ namespace Azure.Analytics.Synapse.Artifacts { /// Renames a sqlScript. - public partial class SqlScriptRenameSqlScriptOperation : Operation, IOperationSource + public partial class SqlScriptRenameSqlScriptOperation : Operation { - private readonly OperationInternals _operation; + private readonly OperationInternals _operation; /// Initializes a new instance of SqlScriptRenameSqlScriptOperation for mocking. protected SqlScriptRenameSqlScriptOperation() @@ -26,20 +26,14 @@ protected SqlScriptRenameSqlScriptOperation() internal SqlScriptRenameSqlScriptOperation(ClientDiagnostics clientDiagnostics, HttpPipeline pipeline, Request request, Response response) { - _operation = new OperationInternals(this, clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "SqlScriptRenameSqlScriptOperation"); + _operation = new OperationInternals(clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "SqlScriptRenameSqlScriptOperation"); } /// public override string Id => _operation.Id; - /// - public override Response Value => _operation.Value; - /// public override bool HasCompleted => _operation.HasCompleted; - /// - public override bool HasValue => _operation.HasValue; - /// public override Response GetRawResponse() => _operation.GetRawResponse(); @@ -50,19 +44,9 @@ internal SqlScriptRenameSqlScriptOperation(ClientDiagnostics clientDiagnostics, public override ValueTask UpdateStatusAsync(CancellationToken cancellationToken = default) => _operation.UpdateStatusAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(cancellationToken); + public override ValueTask WaitForCompletionResponseAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(pollingInterval, cancellationToken); - - Response IOperationSource.CreateResult(Response response, CancellationToken cancellationToken) - { - return response; - } - - async ValueTask IOperationSource.CreateResultAsync(Response response, CancellationToken cancellationToken) - { - return await new ValueTask(response).ConfigureAwait(false); - } + public override ValueTask WaitForCompletionResponseAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(pollingInterval, cancellationToken); } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/TriggerDeleteTriggerOperation.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/TriggerDeleteTriggerOperation.cs index c0f602c99691..8d910cfc6372 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/TriggerDeleteTriggerOperation.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/TriggerDeleteTriggerOperation.cs @@ -15,9 +15,9 @@ namespace Azure.Analytics.Synapse.Artifacts { /// Deletes a trigger. - public partial class TriggerDeleteTriggerOperation : Operation, IOperationSource + public partial class TriggerDeleteTriggerOperation : Operation { - private readonly OperationInternals _operation; + private readonly OperationInternals _operation; /// Initializes a new instance of TriggerDeleteTriggerOperation for mocking. protected TriggerDeleteTriggerOperation() @@ -26,20 +26,14 @@ protected TriggerDeleteTriggerOperation() internal TriggerDeleteTriggerOperation(ClientDiagnostics clientDiagnostics, HttpPipeline pipeline, Request request, Response response) { - _operation = new OperationInternals(this, clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "TriggerDeleteTriggerOperation"); + _operation = new OperationInternals(clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "TriggerDeleteTriggerOperation"); } /// public override string Id => _operation.Id; - /// - public override Response Value => _operation.Value; - /// public override bool HasCompleted => _operation.HasCompleted; - /// - public override bool HasValue => _operation.HasValue; - /// public override Response GetRawResponse() => _operation.GetRawResponse(); @@ -50,19 +44,9 @@ internal TriggerDeleteTriggerOperation(ClientDiagnostics clientDiagnostics, Http public override ValueTask UpdateStatusAsync(CancellationToken cancellationToken = default) => _operation.UpdateStatusAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(cancellationToken); + public override ValueTask WaitForCompletionResponseAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(pollingInterval, cancellationToken); - - Response IOperationSource.CreateResult(Response response, CancellationToken cancellationToken) - { - return response; - } - - async ValueTask IOperationSource.CreateResultAsync(Response response, CancellationToken cancellationToken) - { - return await new ValueTask(response).ConfigureAwait(false); - } + public override ValueTask WaitForCompletionResponseAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(pollingInterval, cancellationToken); } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/TriggerStartTriggerOperation.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/TriggerStartTriggerOperation.cs index d3050498677c..40c2e2e4ea67 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/TriggerStartTriggerOperation.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/TriggerStartTriggerOperation.cs @@ -15,9 +15,9 @@ namespace Azure.Analytics.Synapse.Artifacts { /// Starts a trigger. - public partial class TriggerStartTriggerOperation : Operation, IOperationSource + public partial class TriggerStartTriggerOperation : Operation { - private readonly OperationInternals _operation; + private readonly OperationInternals _operation; /// Initializes a new instance of TriggerStartTriggerOperation for mocking. protected TriggerStartTriggerOperation() @@ -26,20 +26,14 @@ protected TriggerStartTriggerOperation() internal TriggerStartTriggerOperation(ClientDiagnostics clientDiagnostics, HttpPipeline pipeline, Request request, Response response) { - _operation = new OperationInternals(this, clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "TriggerStartTriggerOperation"); + _operation = new OperationInternals(clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "TriggerStartTriggerOperation"); } /// public override string Id => _operation.Id; - /// - public override Response Value => _operation.Value; - /// public override bool HasCompleted => _operation.HasCompleted; - /// - public override bool HasValue => _operation.HasValue; - /// public override Response GetRawResponse() => _operation.GetRawResponse(); @@ -50,19 +44,9 @@ internal TriggerStartTriggerOperation(ClientDiagnostics clientDiagnostics, HttpP public override ValueTask UpdateStatusAsync(CancellationToken cancellationToken = default) => _operation.UpdateStatusAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(cancellationToken); + public override ValueTask WaitForCompletionResponseAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(pollingInterval, cancellationToken); - - Response IOperationSource.CreateResult(Response response, CancellationToken cancellationToken) - { - return response; - } - - async ValueTask IOperationSource.CreateResultAsync(Response response, CancellationToken cancellationToken) - { - return await new ValueTask(response).ConfigureAwait(false); - } + public override ValueTask WaitForCompletionResponseAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(pollingInterval, cancellationToken); } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/TriggerStopTriggerOperation.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/TriggerStopTriggerOperation.cs index 316f5c5b96e8..9db4d791ca46 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/TriggerStopTriggerOperation.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/src/Generated/TriggerStopTriggerOperation.cs @@ -15,9 +15,9 @@ namespace Azure.Analytics.Synapse.Artifacts { /// Stops a trigger. - public partial class TriggerStopTriggerOperation : Operation, IOperationSource + public partial class TriggerStopTriggerOperation : Operation { - private readonly OperationInternals _operation; + private readonly OperationInternals _operation; /// Initializes a new instance of TriggerStopTriggerOperation for mocking. protected TriggerStopTriggerOperation() @@ -26,20 +26,14 @@ protected TriggerStopTriggerOperation() internal TriggerStopTriggerOperation(ClientDiagnostics clientDiagnostics, HttpPipeline pipeline, Request request, Response response) { - _operation = new OperationInternals(this, clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "TriggerStopTriggerOperation"); + _operation = new OperationInternals(clientDiagnostics, pipeline, request, response, OperationFinalStateVia.Location, "TriggerStopTriggerOperation"); } /// public override string Id => _operation.Id; - /// - public override Response Value => _operation.Value; - /// public override bool HasCompleted => _operation.HasCompleted; - /// - public override bool HasValue => _operation.HasValue; - /// public override Response GetRawResponse() => _operation.GetRawResponse(); @@ -50,19 +44,9 @@ internal TriggerStopTriggerOperation(ClientDiagnostics clientDiagnostics, HttpPi public override ValueTask UpdateStatusAsync(CancellationToken cancellationToken = default) => _operation.UpdateStatusAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(cancellationToken); + public override ValueTask WaitForCompletionResponseAsync(CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(cancellationToken); /// - public override ValueTask> WaitForCompletionAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionAsync(pollingInterval, cancellationToken); - - Response IOperationSource.CreateResult(Response response, CancellationToken cancellationToken) - { - return response; - } - - async ValueTask IOperationSource.CreateResultAsync(Response response, CancellationToken cancellationToken) - { - return await new ValueTask(response).ConfigureAwait(false); - } + public override ValueTask WaitForCompletionResponseAsync(TimeSpan pollingInterval, CancellationToken cancellationToken = default) => _operation.WaitForCompletionResponseAsync(pollingInterval, cancellationToken); } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/DataFlowClientLiveTests.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/DataFlowClientLiveTests.cs index d4c967e2a6d3..266ec74de815 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/DataFlowClientLiveTests.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/DataFlowClientLiveTests.cs @@ -63,13 +63,13 @@ public async Task RenameDataFlow() string newFlowName = Recording.GenerateAssetName("DataFlow2"); DataFlowRenameDataFlowOperation renameOperation = await client.StartRenameDataFlowAsync (resource.Name, new ArtifactRenameRequest () { NewName = newFlowName } ); - await renameOperation.WaitForCompletionAsync(); + await renameOperation.WaitForCompletionResponseAsync(); DataFlowResource dataFlow = await client.GetDataFlowAsync (newFlowName); Assert.AreEqual (newFlowName, dataFlow.Name); DataFlowDeleteDataFlowOperation operation = await client.StartDeleteDataFlowAsync (newFlowName); - await operation.WaitForCompletionAsync(); + await operation.WaitForCompletionResponseAsync(); } [RecordedTest] diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/DatasetClientLiveTests.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/DatasetClientLiveTests.cs index 8478f7ee318b..d13c19e592e5 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/DatasetClientLiveTests.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/DatasetClientLiveTests.cs @@ -67,7 +67,7 @@ public async Task TestDeleteDataset() await createOperation.WaitForCompletionAsync(); DatasetDeleteDatasetOperation deleteOperation = await client.StartDeleteDatasetAsync(datasetName); - Response response = await deleteOperation.WaitForCompletionAsync(); + Response response = await deleteOperation.WaitForCompletionResponseAsync(); Assert.AreEqual(200, response.Status); } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/DisposableDataFlow.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/DisposableDataFlow.cs index f665f4f2ccf3..9d15d5d4ac57 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/DisposableDataFlow.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/DisposableDataFlow.cs @@ -36,7 +36,7 @@ public static async ValueTask CreateResource (DataFlowClient c public async ValueTask DisposeAsync() { DataFlowDeleteDataFlowOperation operation = await _client.StartDeleteDataFlowAsync (Name); - await operation.WaitForCompletionAsync(); + await operation.WaitForCompletionResponseAsync(); } } } \ No newline at end of file diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/DisposablePipeline.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/DisposablePipeline.cs index 5adbb56fe242..6c07c780a942 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/DisposablePipeline.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/DisposablePipeline.cs @@ -35,7 +35,7 @@ public static async ValueTask CreateResource (PipelineClient c public async ValueTask DisposeAsync() { PipelineDeletePipelineOperation operation = await _client.StartDeletePipelineAsync (Name); - await operation.WaitForCompletionAsync(); + await operation.WaitForCompletionResponseAsync(); } } } \ No newline at end of file diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/DisposableTrigger.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/DisposableTrigger.cs index d3eabc1c38af..2e7ae191aa1a 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/DisposableTrigger.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/DisposableTrigger.cs @@ -36,7 +36,7 @@ public static async ValueTask CreateResource (TriggerClient cli public async ValueTask DisposeAsync() { TriggerDeleteTriggerOperation deleteOperation = await _client.StartDeleteTriggerAsync (Name); - await deleteOperation.WaitForCompletionAsync(); + await deleteOperation.WaitForCompletionResponseAsync(); } } } \ No newline at end of file diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/LinkedServiceClientLiveTests.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/LinkedServiceClientLiveTests.cs index 9d4098e459c1..0aeac31c7eb8 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/LinkedServiceClientLiveTests.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/LinkedServiceClientLiveTests.cs @@ -48,7 +48,7 @@ public static async ValueTask CreateResource (LinkedServi public async ValueTask DisposeAsync() { LinkedServiceDeleteLinkedServiceOperation operation = await _client.StartDeleteLinkedServiceAsync (Name); - await operation.WaitForCompletionAsync(); + await operation.WaitForCompletionResponseAsync(); } } @@ -104,13 +104,13 @@ public async Task TestRenameLinkedService() string newLinkedServiceName = Recording.GenerateId("LinkedService2", 16); LinkedServiceRenameLinkedServiceOperation renameOperation = await client.StartRenameLinkedServiceAsync (resource.Name, new ArtifactRenameRequest () { NewName = newLinkedServiceName } ); - await renameOperation.WaitForCompletionAsync(); + await renameOperation.WaitForCompletionResponseAsync(); LinkedServiceResource service = await client.GetLinkedServiceAsync (newLinkedServiceName); Assert.AreEqual (newLinkedServiceName, service.Name); LinkedServiceDeleteLinkedServiceOperation operation = await client.StartDeleteLinkedServiceAsync (newLinkedServiceName); - await operation.WaitForCompletionAsync(); + await operation.WaitForCompletionResponseAsync(); } } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/NotebookClientLiveTests.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/NotebookClientLiveTests.cs index a802a4cf05be..00c88cc6d43a 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/NotebookClientLiveTests.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/NotebookClientLiveTests.cs @@ -54,7 +54,7 @@ public static async ValueTask CreateResource (NotebookClient c public async ValueTask DisposeAsync() { NotebookDeleteNotebookOperation operation = await _client.StartDeleteNotebookAsync (Name); - await operation.WaitForCompletionAsync(); + await operation.WaitForCompletionResponseAsync(); } } @@ -110,13 +110,13 @@ public async Task TestRenameLinkedService() string newNotebookName = Recording.GenerateId("Notebook2", 16); NotebookRenameNotebookOperation renameOperation = await client.StartRenameNotebookAsync (resource.Name, new ArtifactRenameRequest () { NewName = newNotebookName } ); - await renameOperation.WaitForCompletionAsync(); + await renameOperation.WaitForCompletionResponseAsync(); NotebookResource notebook = await client.GetNotebookAsync (newNotebookName); Assert.AreEqual (newNotebookName, notebook.Name); NotebookDeleteNotebookOperation operation = await client.StartDeleteNotebookAsync (newNotebookName); - await operation.WaitForCompletionAsync(); + await operation.WaitForCompletionResponseAsync(); } [Ignore ("https://github.com/Azure/azure-sdk-for-net/issues/18080 - Notebook summary appears to require Synapse.Spark execution first")] diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/PipelineClientLiveTests.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/PipelineClientLiveTests.cs index b8ac790bdf49..8f359725e23e 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/PipelineClientLiveTests.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/PipelineClientLiveTests.cs @@ -72,13 +72,13 @@ public async Task TestRenameLinkedService() string newPipelineName = Recording.GenerateId("Pipeline2", 16); PipelineRenamePipelineOperation renameOperation = await client.StartRenamePipelineAsync (resource.Name, new ArtifactRenameRequest () { NewName = newPipelineName } ); - await renameOperation.WaitForCompletionAsync(); + await renameOperation.WaitForCompletionResponseAsync(); PipelineResource pipeline = await client.GetPipelineAsync (newPipelineName); Assert.AreEqual (newPipelineName, pipeline.Name); PipelineDeletePipelineOperation operation = await client.StartDeletePipelineAsync (newPipelineName); - await operation.WaitForCompletionAsync(); + await operation.WaitForCompletionResponseAsync(); } [RecordedTest] diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/SparkJobDefinitionClientLiveTests.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/SparkJobDefinitionClientLiveTests.cs index 2f70361c3a38..b5aef0e70d90 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/SparkJobDefinitionClientLiveTests.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/SparkJobDefinitionClientLiveTests.cs @@ -53,7 +53,7 @@ public static async ValueTask CreateResource (SparkJ public async ValueTask DisposeAsync() { SparkJobDefinitionDeleteSparkJobDefinitionOperation deleteOperation = await _client.StartDeleteSparkJobDefinitionAsync (Name); - await deleteOperation.WaitForCompletionAsync(); + await deleteOperation.WaitForCompletionResponseAsync(); } } @@ -108,13 +108,13 @@ public async Task TestRenameSparkJob() string newSparkJobName = Recording.GenerateId("Pipeline2", 16); SparkJobDefinitionRenameSparkJobDefinitionOperation renameOperation = await client.StartRenameSparkJobDefinitionAsync (resource.Name, new ArtifactRenameRequest () { NewName = newSparkJobName } ); - await renameOperation.WaitForCompletionAsync(); + await renameOperation.WaitForCompletionResponseAsync(); SparkJobDefinitionResource sparkJob = await client.GetSparkJobDefinitionAsync (newSparkJobName); Assert.AreEqual (newSparkJobName, sparkJob.Name); SparkJobDefinitionDeleteSparkJobDefinitionOperation deleteOperation = await client.StartDeleteSparkJobDefinitionAsync (newSparkJobName); - await deleteOperation.WaitForCompletionAsync(); + await deleteOperation.WaitForCompletionResponseAsync(); } [Ignore ("https://github.com/Azure/azure-sdk-for-net/issues/18079 - SYNAPSE_API_ISSUE - Parameter name: ClassName")] diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/SqlScriptClientLiveTests.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/SqlScriptClientLiveTests.cs index 88d27cfec113..c64e1197cb4a 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/SqlScriptClientLiveTests.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/SqlScriptClientLiveTests.cs @@ -50,7 +50,7 @@ public static async ValueTask CreateResource (SqlScriptClient public async ValueTask DisposeAsync() { SqlScriptDeleteSqlScriptOperation deleteOperation = await _client.StartDeleteSqlScriptAsync (Name); - await deleteOperation.WaitForCompletionAsync(); + await deleteOperation.WaitForCompletionResponseAsync(); } } @@ -106,13 +106,13 @@ public async Task TestRenameSparkJob() string newScriptName = Recording.GenerateId("SqlScript", 16); SqlScriptRenameSqlScriptOperation renameOperation = await client.StartRenameSqlScriptAsync (resource.Name, new ArtifactRenameRequest () { NewName = newScriptName } ); - await renameOperation.WaitForCompletionAsync(); + await renameOperation.WaitForCompletionResponseAsync(); SqlScriptResource sparkJob = await client.GetSqlScriptAsync (newScriptName); Assert.AreEqual (newScriptName, sparkJob.Name); SqlScriptDeleteSqlScriptOperation deleteOperation = await client.StartDeleteSqlScriptAsync (newScriptName); - await deleteOperation.WaitForCompletionAsync(); + await deleteOperation.WaitForCompletionResponseAsync(); } } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/TriggerClientLiveTests.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/TriggerClientLiveTests.cs index aab6310688f3..ebc0ff808b74 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/TriggerClientLiveTests.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/TriggerClientLiveTests.cs @@ -80,11 +80,11 @@ public async Task TestStartStop() // SYNAPSE_API_ISSUE - How do we point the trigger to our pipeline TriggerStartTriggerOperation startOperation = await client.StartStartTriggerAsync (trigger.Name); - Response startResponse = await startOperation.WaitForCompletionAsync(); + Response startResponse = await startOperation.WaitForCompletionResponseAsync(); startResponse.AssertSuccess(); TriggerStopTriggerOperation stopOperation = await client.StartStopTriggerAsync (trigger.Name); - Response stopResponse = await stopOperation.WaitForCompletionAsync(); + Response stopResponse = await stopOperation.WaitForCompletionResponseAsync(); stopResponse.AssertSuccess(); } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/samples/Sample1_HelloWorldPipeline.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/samples/Sample1_HelloWorldPipeline.cs index 9109679b4d30..90c6e360777d 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/samples/Sample1_HelloWorldPipeline.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/samples/Sample1_HelloWorldPipeline.cs @@ -58,7 +58,7 @@ public async Task RunPipeline() #region Snippet:DeletePipeline PipelineDeletePipelineOperation deleteOperation = client.StartDeletePipeline(pipelineName); - await deleteOperation.WaitForCompletionAsync(); + await deleteOperation.WaitForCompletionResponseAsync(); #endregion } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/samples/Sample2_HelloWorldNotebook.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/samples/Sample2_HelloWorldNotebook.cs index 180bcc4b7db9..84d6153a8345 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/samples/Sample2_HelloWorldNotebook.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/samples/Sample2_HelloWorldNotebook.cs @@ -61,7 +61,7 @@ public async Task CreateAndUploadNotebook() #region Snippet:DeleteNotebook NotebookDeleteNotebookOperation deleteNotebookOperation = client.StartDeleteNotebook(notebookName); - await deleteNotebookOperation.WaitForCompletionAsync(); + await deleteNotebookOperation.WaitForCompletionResponseAsync(); #endregion } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/samples/Sample3_HelloWorldTrigger.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/samples/Sample3_HelloWorldTrigger.cs index b430ee817614..076cf09d8b57 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/samples/Sample3_HelloWorldTrigger.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/samples/Sample3_HelloWorldTrigger.cs @@ -48,7 +48,7 @@ public async Task TriggerSample() #region Snippet:DeleteTrigger TriggerDeleteTriggerOperation deleteOperation = client.StartDeleteTrigger(triggerName); - await deleteOperation.WaitForCompletionAsync(); + await deleteOperation.WaitForCompletionResponseAsync(); #endregion } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/samples/Sample4_HelloWorldDataFlow.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/samples/Sample4_HelloWorldDataFlow.cs index 2bd5d8bfeb22..1a3e9e08a397 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/samples/Sample4_HelloWorldDataFlow.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/samples/Sample4_HelloWorldDataFlow.cs @@ -47,7 +47,7 @@ public async Task DataFlowSample() #region Snippet:DeleteDataFlow DataFlowDeleteDataFlowOperation deleteOperation = client.StartDeleteDataFlow(dataFlowName); - await deleteOperation.WaitForCompletionAsync(); + await deleteOperation.WaitForCompletionResponseAsync(); #endregion } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/samples/Sample5_HelloWorldDataset.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/samples/Sample5_HelloWorldDataset.cs index e6483a1387fc..ea63f5f253be 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/samples/Sample5_HelloWorldDataset.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/samples/Sample5_HelloWorldDataset.cs @@ -51,7 +51,7 @@ public async Task DatasetSample() #region Snippet:DeleteDataset DatasetDeleteDatasetOperation deleteDatasetOperation = client.StartDeleteDataset(dataSetName); - await deleteDatasetOperation.WaitForCompletionAsync(); + await deleteDatasetOperation.WaitForCompletionResponseAsync(); #endregion } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/samples/Sample6_HelloWorldLinkedService.cs b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/samples/Sample6_HelloWorldLinkedService.cs index aa54b6310d22..210eb8de72c5 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/samples/Sample6_HelloWorldLinkedService.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Artifacts/tests/samples/Sample6_HelloWorldLinkedService.cs @@ -52,7 +52,7 @@ public async Task LinkedServiceSample() #region Snippet:DeleteLinkedService LinkedServiceDeleteLinkedServiceOperation deleteLinkedServiceOperation = client.StartDeleteLinkedService(serviceName); - await deleteLinkedServiceOperation.WaitForCompletionAsync(); + await deleteLinkedServiceOperation.WaitForCompletionResponseAsync(); #endregion } } diff --git a/sdk/synapse/Azure.Analytics.Synapse.Shared/tests/SynapseTestExtensions.cs b/sdk/synapse/Azure.Analytics.Synapse.Shared/tests/SynapseTestExtensions.cs index 16a6afb7679d..280aaabe4d07 100644 --- a/sdk/synapse/Azure.Analytics.Synapse.Shared/tests/SynapseTestExtensions.cs +++ b/sdk/synapse/Azure.Analytics.Synapse.Shared/tests/SynapseTestExtensions.cs @@ -34,9 +34,9 @@ public static async Task> ToListAsync(this IAsyncEnumerable items return all; } - public static async Task WaitAndAssertSuccessfulCompletion (this Operation operation) + public static async Task WaitAndAssertSuccessfulCompletion (this Operation operation) { - Response response = await operation.WaitForCompletionAsync(); + Response response = await operation.WaitForCompletionResponseAsync(); response.AssertSuccess(); }